Re:Symphony
resymphonywiki
https://resymphony.miraheze.org/wiki/Main_Page
MediaWiki 1.40.1
first-letter
Media
Special
Talk
User
User talk
Re:Symphony
Re:Symphony talk
File
File talk
MediaWiki
MediaWiki talk
Template
Template talk
Help
Help talk
Category
Category talk
Module
Module talk
Template:TemplateStyles
10
397
656
2018-07-20T02:32:34Z
w>Evad37
0
Template:
wikitext
text/x-wiki
#REDIRECT [[Template:Uses TemplateStyles]]
fda05765e32e46903407e65191f885debef84f27
Template:Lua
10
396
654
2019-03-20T22:04:45Z
w>RMCD bot
0
Removing notice of move discussion
wikitext
text/x-wiki
<includeonly>{{#invoke:Lua banner|main}}</includeonly><noinclude>
{{Lua|Module:Lua banner}}
{{documentation}}
<!-- Categories go on the /doc subpage and interwikis go on Wikidata. -->
</noinclude>
dba3962144dacd289dbc34f50fbe0a7bf6d7f2f7
Template:Sandbox other
10
388
638
2020-04-03T00:08:09Z
w>Evad37
0
Also match subpage names beginning with "sandbox", per [[Template_talk:Sandbox_other#Template-protected_edit_request_on_28_March_2020|edit request]]
wikitext
text/x-wiki
{{#if:{{#ifeq:{{#invoke:String|sublength|s={{SUBPAGENAME}}|i=0|len=7}}|sandbox|1}}{{#ifeq:{{SUBPAGENAME}}|doc|1}}{{#invoke:String|match|{{PAGENAME}}|/sandbox/styles.css$|plain=false|nomatch=}}|{{{1|}}}|{{{2|}}}}}<!--
--><noinclude>{{documentation}}</noinclude>
91e4ae891d6b791615152c1fbc971414961ba872
Module:String
828
421
705
2020-08-02T15:49:42Z
w>RexxS
0
separate annotations for str.match from those for str._match
Scribunto
text/plain
--[[
This module is intended to provide access to basic string functions.
Most of the functions provided here can be invoked with named parameters,
unnamed parameters, or a mixture. If named parameters are used, Mediawiki will
automatically remove any leading or trailing whitespace from the parameter.
Depending on the intended use, it may be advantageous to either preserve or
remove such whitespace.
Global options
ignore_errors: If set to 'true' or 1, any error condition will result in
an empty string being returned rather than an error message.
error_category: If an error occurs, specifies the name of a category to
include with the error message. The default category is
[Category:Errors reported by Module String].
no_category: If set to 'true' or 1, no category will be added if an error
is generated.
Unit tests for this module are available at Module:String/tests.
]]
local str = {}
--[[
len
This function returns the length of the target string.
Usage:
{{#invoke:String|len|target_string|}}
OR
{{#invoke:String|len|s=target_string}}
Parameters
s: The string whose length to report
If invoked using named parameters, Mediawiki will automatically remove any leading or
trailing whitespace from the target string.
]]
function str.len( frame )
local new_args = str._getParameters( frame.args, {'s'} )
local s = new_args['s'] or ''
return mw.ustring.len( s )
end
--[[
sub
This function returns a substring of the target string at specified indices.
Usage:
{{#invoke:String|sub|target_string|start_index|end_index}}
OR
{{#invoke:String|sub|s=target_string|i=start_index|j=end_index}}
Parameters
s: The string to return a subset of
i: The fist index of the substring to return, defaults to 1.
j: The last index of the string to return, defaults to the last character.
The first character of the string is assigned an index of 1. If either i or j
is a negative value, it is interpreted the same as selecting a character by
counting from the end of the string. Hence, a value of -1 is the same as
selecting the last character of the string.
If the requested indices are out of range for the given string, an error is
reported.
]]
function str.sub( frame )
local new_args = str._getParameters( frame.args, { 's', 'i', 'j' } )
local s = new_args['s'] or ''
local i = tonumber( new_args['i'] ) or 1
local j = tonumber( new_args['j'] ) or -1
local len = mw.ustring.len( s )
-- Convert negatives for range checking
if i < 0 then
i = len + i + 1
end
if j < 0 then
j = len + j + 1
end
if i > len or j > len or i < 1 or j < 1 then
return str._error( 'String subset index out of range' )
end
if j < i then
return str._error( 'String subset indices out of order' )
end
return mw.ustring.sub( s, i, j )
end
--[[
This function implements that features of {{str sub old}} and is kept in order
to maintain these older templates.
]]
function str.sublength( frame )
local i = tonumber( frame.args.i ) or 0
local len = tonumber( frame.args.len )
return mw.ustring.sub( frame.args.s, i + 1, len and ( i + len ) )
end
--[[
_match
This function returns a substring from the source string that matches a
specified pattern. It is exported for use in other modules
Usage:
strmatch = require("Module:String")._match
sresult = strmatch( s, pattern, start, match, plain, nomatch )
Parameters
s: The string to search
pattern: The pattern or string to find within the string
start: The index within the source string to start the search. The first
character of the string has index 1. Defaults to 1.
match: In some cases it may be possible to make multiple matches on a single
string. This specifies which match to return, where the first match is
match= 1. If a negative number is specified then a match is returned
counting from the last match. Hence match = -1 is the same as requesting
the last match. Defaults to 1.
plain: A flag indicating that the pattern should be understood as plain
text. Defaults to false.
nomatch: If no match is found, output the "nomatch" value rather than an error.
For information on constructing Lua patterns, a form of [regular expression], see:
* http://www.lua.org/manual/5.1/manual.html#5.4.1
* http://www.mediawiki.org/wiki/Extension:Scribunto/Lua_reference_manual#Patterns
* http://www.mediawiki.org/wiki/Extension:Scribunto/Lua_reference_manual#Ustring_patterns
]]
-- This sub-routine is exported for use in other modules
function str._match( s, pattern, start, match_index, plain_flag, nomatch )
if s == '' then
return str._error( 'Target string is empty' )
end
if pattern == '' then
return str._error( 'Pattern string is empty' )
end
start = tonumber(start) or 1
if math.abs(start) < 1 or math.abs(start) > mw.ustring.len( s ) then
return str._error( 'Requested start is out of range' )
end
if match_index == 0 then
return str._error( 'Match index is out of range' )
end
if plain_flag then
pattern = str._escapePattern( pattern )
end
local result
if match_index == 1 then
-- Find first match is simple case
result = mw.ustring.match( s, pattern, start )
else
if start > 1 then
s = mw.ustring.sub( s, start )
end
local iterator = mw.ustring.gmatch(s, pattern)
if match_index > 0 then
-- Forward search
for w in iterator do
match_index = match_index - 1
if match_index == 0 then
result = w
break
end
end
else
-- Reverse search
local result_table = {}
local count = 1
for w in iterator do
result_table[count] = w
count = count + 1
end
result = result_table[ count + match_index ]
end
end
if result == nil then
if nomatch == nil then
return str._error( 'Match not found' )
else
return nomatch
end
else
return result
end
end
--[[
match
This function returns a substring from the source string that matches a
specified pattern.
Usage:
{{#invoke:String|match|source_string|pattern_string|start_index|match_number|plain_flag|nomatch_output}}
OR
{{#invoke:String|match|s=source_string|pattern=pattern_string|start=start_index
|match=match_number|plain=plain_flag|nomatch=nomatch_output}}
Parameters
s: The string to search
pattern: The pattern or string to find within the string
start: The index within the source string to start the search. The first
character of the string has index 1. Defaults to 1.
match: In some cases it may be possible to make multiple matches on a single
string. This specifies which match to return, where the first match is
match= 1. If a negative number is specified then a match is returned
counting from the last match. Hence match = -1 is the same as requesting
the last match. Defaults to 1.
plain: A flag indicating that the pattern should be understood as plain
text. Defaults to false.
nomatch: If no match is found, output the "nomatch" value rather than an error.
If invoked using named parameters, Mediawiki will automatically remove any leading or
trailing whitespace from each string. In some circumstances this is desirable, in
other cases one may want to preserve the whitespace.
If the match_number or start_index are out of range for the string being queried, then
this function generates an error. An error is also generated if no match is found.
If one adds the parameter ignore_errors=true, then the error will be suppressed and
an empty string will be returned on any failure.
For information on constructing Lua patterns, a form of [regular expression], see:
* http://www.lua.org/manual/5.1/manual.html#5.4.1
* http://www.mediawiki.org/wiki/Extension:Scribunto/Lua_reference_manual#Patterns
* http://www.mediawiki.org/wiki/Extension:Scribunto/Lua_reference_manual#Ustring_patterns
]]
-- This is the entry point for #invoke:String|match
function str.match( frame )
local new_args = str._getParameters( frame.args, {'s', 'pattern', 'start', 'match', 'plain', 'nomatch'} )
local s = new_args['s'] or ''
local start = tonumber( new_args['start'] ) or 1
local plain_flag = str._getBoolean( new_args['plain'] or false )
local pattern = new_args['pattern'] or ''
local match_index = math.floor( tonumber(new_args['match']) or 1 )
local nomatch = new_args['nomatch']
return str._match( s, pattern, start, match_index, plain_flag, nomatch )
end
--[[
pos
This function returns a single character from the target string at position pos.
Usage:
{{#invoke:String|pos|target_string|index_value}}
OR
{{#invoke:String|pos|target=target_string|pos=index_value}}
Parameters
target: The string to search
pos: The index for the character to return
If invoked using named parameters, Mediawiki will automatically remove any leading or
trailing whitespace from the target string. In some circumstances this is desirable, in
other cases one may want to preserve the whitespace.
The first character has an index value of 1.
If one requests a negative value, this function will select a character by counting backwards
from the end of the string. In other words pos = -1 is the same as asking for the last character.
A requested value of zero, or a value greater than the length of the string returns an error.
]]
function str.pos( frame )
local new_args = str._getParameters( frame.args, {'target', 'pos'} )
local target_str = new_args['target'] or ''
local pos = tonumber( new_args['pos'] ) or 0
if pos == 0 or math.abs(pos) > mw.ustring.len( target_str ) then
return str._error( 'String index out of range' )
end
return mw.ustring.sub( target_str, pos, pos )
end
--[[
str_find
This function duplicates the behavior of {{str_find}}, including all of its quirks.
This is provided in order to support existing templates, but is NOT RECOMMENDED for
new code and templates. New code is recommended to use the "find" function instead.
Returns the first index in "source" that is a match to "target". Indexing is 1-based,
and the function returns -1 if the "target" string is not present in "source".
Important Note: If the "target" string is empty / missing, this function returns a
value of "1", which is generally unexpected behavior, and must be accounted for
separatetly.
]]
function str.str_find( frame )
local new_args = str._getParameters( frame.args, {'source', 'target'} )
local source_str = new_args['source'] or ''
local target_str = new_args['target'] or ''
if target_str == '' then
return 1
end
local start = mw.ustring.find( source_str, target_str, 1, true )
if start == nil then
start = -1
end
return start
end
--[[
find
This function allows one to search for a target string or pattern within another
string.
Usage:
{{#invoke:String|find|source_str|target_string|start_index|plain_flag}}
OR
{{#invoke:String|find|source=source_str|target=target_str|start=start_index|plain=plain_flag}}
Parameters
source: The string to search
target: The string or pattern to find within source
start: The index within the source string to start the search, defaults to 1
plain: Boolean flag indicating that target should be understood as plain
text and not as a Lua style regular expression, defaults to true
If invoked using named parameters, Mediawiki will automatically remove any leading or
trailing whitespace from the parameter. In some circumstances this is desirable, in
other cases one may want to preserve the whitespace.
This function returns the first index >= "start" where "target" can be found
within "source". Indices are 1-based. If "target" is not found, then this
function returns 0. If either "source" or "target" are missing / empty, this
function also returns 0.
This function should be safe for UTF-8 strings.
]]
function str.find( frame )
local new_args = str._getParameters( frame.args, {'source', 'target', 'start', 'plain' } )
local source_str = new_args['source'] or ''
local pattern = new_args['target'] or ''
local start_pos = tonumber(new_args['start']) or 1
local plain = new_args['plain'] or true
if source_str == '' or pattern == '' then
return 0
end
plain = str._getBoolean( plain )
local start = mw.ustring.find( source_str, pattern, start_pos, plain )
if start == nil then
start = 0
end
return start
end
--[[
replace
This function allows one to replace a target string or pattern within another
string.
Usage:
{{#invoke:String|replace|source_str|pattern_string|replace_string|replacement_count|plain_flag}}
OR
{{#invoke:String|replace|source=source_string|pattern=pattern_string|replace=replace_string|
count=replacement_count|plain=plain_flag}}
Parameters
source: The string to search
pattern: The string or pattern to find within source
replace: The replacement text
count: The number of occurences to replace, defaults to all.
plain: Boolean flag indicating that pattern should be understood as plain
text and not as a Lua style regular expression, defaults to true
]]
function str.replace( frame )
local new_args = str._getParameters( frame.args, {'source', 'pattern', 'replace', 'count', 'plain' } )
local source_str = new_args['source'] or ''
local pattern = new_args['pattern'] or ''
local replace = new_args['replace'] or ''
local count = tonumber( new_args['count'] )
local plain = new_args['plain'] or true
if source_str == '' or pattern == '' then
return source_str
end
plain = str._getBoolean( plain )
if plain then
pattern = str._escapePattern( pattern )
replace = mw.ustring.gsub( replace, "%%", "%%%%" ) --Only need to escape replacement sequences.
end
local result
if count ~= nil then
result = mw.ustring.gsub( source_str, pattern, replace, count )
else
result = mw.ustring.gsub( source_str, pattern, replace )
end
return result
end
--[[
simple function to pipe string.rep to templates.
]]
function str.rep( frame )
local repetitions = tonumber( frame.args[2] )
if not repetitions then
return str._error( 'function rep expects a number as second parameter, received "' .. ( frame.args[2] or '' ) .. '"' )
end
return string.rep( frame.args[1] or '', repetitions )
end
--[[
escapePattern
This function escapes special characters from a Lua string pattern. See [1]
for details on how patterns work.
[1] https://www.mediawiki.org/wiki/Extension:Scribunto/Lua_reference_manual#Patterns
Usage:
{{#invoke:String|escapePattern|pattern_string}}
Parameters
pattern_string: The pattern string to escape.
]]
function str.escapePattern( frame )
local pattern_str = frame.args[1]
if not pattern_str then
return str._error( 'No pattern string specified' )
end
local result = str._escapePattern( pattern_str )
return result
end
--[[
count
This function counts the number of occurrences of one string in another.
]]
function str.count(frame)
local args = str._getParameters(frame.args, {'source', 'pattern', 'plain'})
local source = args.source or ''
local pattern = args.pattern or ''
local plain = str._getBoolean(args.plain or true)
if plain then
pattern = str._escapePattern(pattern)
end
local _, count = mw.ustring.gsub(source, pattern, '')
return count
end
--[[
endswith
This function determines whether a string ends with another string.
]]
function str.endswith(frame)
local args = str._getParameters(frame.args, {'source', 'pattern'})
local source = args.source or ''
local pattern = args.pattern or ''
if pattern == '' then
-- All strings end with the empty string.
return "yes"
end
if mw.ustring.sub(source, -mw.ustring.len(pattern), -1) == pattern then
return "yes"
else
return ""
end
end
--[[
join
Join all non empty arguments together; the first argument is the separator.
Usage:
{{#invoke:String|join|sep|one|two|three}}
]]
function str.join(frame)
local args = {}
local sep
for _, v in ipairs( frame.args ) do
if sep then
if v ~= '' then
table.insert(args, v)
end
else
sep = v
end
end
return table.concat( args, sep or '' )
end
--[[
Helper function that populates the argument list given that user may need to use a mix of
named and unnamed parameters. This is relevant because named parameters are not
identical to unnamed parameters due to string trimming, and when dealing with strings
we sometimes want to either preserve or remove that whitespace depending on the application.
]]
function str._getParameters( frame_args, arg_list )
local new_args = {}
local index = 1
local value
for _, arg in ipairs( arg_list ) do
value = frame_args[arg]
if value == nil then
value = frame_args[index]
index = index + 1
end
new_args[arg] = value
end
return new_args
end
--[[
Helper function to handle error messages.
]]
function str._error( error_str )
local frame = mw.getCurrentFrame()
local error_category = frame.args.error_category or 'Errors reported by Module String'
local ignore_errors = frame.args.ignore_errors or false
local no_category = frame.args.no_category or false
if str._getBoolean(ignore_errors) then
return ''
end
local error_str = '<strong class="error">String Module Error: ' .. error_str .. '</strong>'
if error_category ~= '' and not str._getBoolean( no_category ) then
error_str = '[[Category:' .. error_category .. ']]' .. error_str
end
return error_str
end
--[[
Helper Function to interpret boolean strings
]]
function str._getBoolean( boolean_str )
local boolean_value
if type( boolean_str ) == 'string' then
boolean_str = boolean_str:lower()
if boolean_str == 'false' or boolean_str == 'no' or boolean_str == '0'
or boolean_str == '' then
boolean_value = false
else
boolean_value = true
end
elseif type( boolean_str ) == 'boolean' then
boolean_value = boolean_str
else
error( 'No boolean value found' )
end
return boolean_value
end
--[[
Helper function that escapes all pattern characters so that they will be treated
as plain text.
]]
function str._escapePattern( pattern_str )
return mw.ustring.gsub( pattern_str, "([%(%)%.%%%+%-%*%?%[%^%$%]])", "%%%1" )
end
return str
6df794dd52434e0f6a372c9918f5a9dedd15f579
Module:TNT
828
422
707
2020-08-30T07:28:25Z
w>Johnuniq
0
Changed protection level for "[[Module:TNT]]": [[WP:High-risk templates|High-risk Lua module]]: per request at [[WP:RFPP]] to match [[Module:Excerpt]] ([Edit=Require template editor access] (indefinite) [Move=Require template editor access] (indefinite))
Scribunto
text/plain
--
-- INTRO: (!!! DO NOT RENAME THIS PAGE !!!)
-- This module allows any template or module to be copy/pasted between
-- wikis without any translation changes. All translation text is stored
-- in the global Data:*.tab pages on Commons, and used everywhere.
--
-- SEE: https://www.mediawiki.org/wiki/Multilingual_Templates_and_Modules
--
-- ATTENTION:
-- Please do NOT rename this module - it has to be identical on all wikis.
-- This code is maintained at https://www.mediawiki.org/wiki/Module:TNT
-- Please do not modify it anywhere else, as it may get copied and override your changes.
-- Suggestions can be made at https://www.mediawiki.org/wiki/Module_talk:TNT
--
-- DESCRIPTION:
-- The "msg" function uses a Commons dataset to translate a message
-- with a given key (e.g. source-table), plus optional arguments
-- to the wiki markup in the current content language.
-- Use lang=xx to set language. Example:
--
-- {{#invoke:TNT | msg
-- | I18n/Template:Graphs.tab <!-- https://commons.wikimedia.org/wiki/Data:I18n/Template:Graphs.tab -->
-- | source-table <!-- uses a translation message with id = "source-table" -->
-- | param1 }} <!-- optional parameter -->
--
--
-- The "doc" function will generate the <templatedata> parameter documentation for templates.
-- This way all template parameters can be stored and localized in a single Commons dataset.
-- NOTE: "doc" assumes that all documentation is located in Data:Templatedata/* on Commons.
--
-- {{#invoke:TNT | doc | Graph:Lines }}
-- uses https://commons.wikimedia.org/wiki/Data:Templatedata/Graph:Lines.tab
-- if the current page is Template:Graph:Lines/doc
--
local p = {}
local i18nDataset = 'I18n/Module:TNT.tab'
-- Forward declaration of the local functions
local sanitizeDataset, loadData, link, formatMessage
function p.msg(frame)
local dataset, id
local params = {}
local lang = nil
for k, v in pairs(frame.args) do
if k == 1 then
dataset = mw.text.trim(v)
elseif k == 2 then
id = mw.text.trim(v)
elseif type(k) == 'number' then
table.insert(params, mw.text.trim(v))
elseif k == 'lang' and v ~= '_' then
lang = mw.text.trim(v)
end
end
return formatMessage(dataset, id, params, lang)
end
-- Identical to p.msg() above, but used from other lua modules
-- Parameters: name of dataset, message key, optional arguments
-- Example with 2 params: format('I18n/Module:TNT', 'error_bad_msgkey', 'my-key', 'my-dataset')
function p.format(dataset, key, ...)
local checkType = require('libraryUtil').checkType
checkType('format', 1, dataset, 'string')
checkType('format', 2, key, 'string')
return formatMessage(dataset, key, {...})
end
-- Identical to p.msg() above, but used from other lua modules with the language param
-- Parameters: language code, name of dataset, message key, optional arguments
-- Example with 2 params: formatInLanguage('es', I18n/Module:TNT', 'error_bad_msgkey', 'my-key', 'my-dataset')
function p.formatInLanguage(lang, dataset, key, ...)
local checkType = require('libraryUtil').checkType
checkType('formatInLanguage', 1, lang, 'string')
checkType('formatInLanguage', 2, dataset, 'string')
checkType('formatInLanguage', 3, key, 'string')
return formatMessage(dataset, key, {...}, lang)
end
-- Obsolete function that adds a 'c:' prefix to the first param.
-- "Sandbox/Sample.tab" -> 'c:Data:Sandbox/Sample.tab'
function p.link(frame)
return link(frame.args[1])
end
function p.doc(frame)
local dataset = 'Templatedata/' .. sanitizeDataset(frame.args[1])
return frame:extensionTag('templatedata', p.getTemplateData(dataset)) ..
formatMessage(i18nDataset, 'edit_doc', {link(dataset)})
end
function p.getTemplateData(dataset)
-- TODO: add '_' parameter once lua starts reindexing properly for "all" languages
local data = loadData(dataset)
local names = {}
for _, field in pairs(data.schema.fields) do
table.insert(names, field.name)
end
local params = {}
local paramOrder = {}
for _, row in pairs(data.data) do
local newVal = {}
local name = nil
for pos, val in pairs(row) do
local columnName = names[pos]
if columnName == 'name' then
name = val
else
newVal[columnName] = val
end
end
if name then
params[name] = newVal
table.insert(paramOrder, name)
end
end
-- Work around json encoding treating {"1":{...}} as an [{...}]
params['zzz123']=''
local json = mw.text.jsonEncode({
params=params,
paramOrder=paramOrder,
description=data.description
})
json = string.gsub(json,'"zzz123":"",?', "")
return json
end
-- Local functions
sanitizeDataset = function(dataset)
if not dataset then
return nil
end
dataset = mw.text.trim(dataset)
if dataset == '' then
return nil
elseif string.sub(dataset,-4) ~= '.tab' then
return dataset .. '.tab'
else
return dataset
end
end
loadData = function(dataset, lang)
dataset = sanitizeDataset(dataset)
if not dataset then
error(formatMessage(i18nDataset, 'error_no_dataset', {}))
end
-- Give helpful error to thirdparties who try and copy this module.
if not mw.ext or not mw.ext.data or not mw.ext.data.get then
error('Missing JsonConfig extension; Cannot load https://commons.wikimedia.org/wiki/Data:' .. dataset)
end
local data = mw.ext.data.get(dataset, lang)
if data == false then
if dataset == i18nDataset then
-- Prevent cyclical calls
error('Missing Commons dataset ' .. i18nDataset)
else
error(formatMessage(i18nDataset, 'error_bad_dataset', {link(dataset)}))
end
end
return data
end
-- Given a dataset name, convert it to a title with the 'commons:data:' prefix
link = function(dataset)
return 'c:Data:' .. mw.text.trim(dataset or '')
end
formatMessage = function(dataset, key, params, lang)
for _, row in pairs(loadData(dataset, lang).data) do
local id, msg = unpack(row)
if id == key then
local result = mw.message.newRawMessage(msg, unpack(params or {}))
return result:plain()
end
end
if dataset == i18nDataset then
-- Prevent cyclical calls
error('Invalid message key "' .. key .. '"')
else
error(formatMessage(i18nDataset, 'error_bad_msgkey', {key, link(dataset)}))
end
end
return p
9d0d10e54abd232c806dcabccaf03e52858634a1
Template:Documentation/styles.css
10
389
640
2020-11-19T20:21:58Z
w>Izno
0
Changed protection level for "[[Module:Documentation/styles.css]]": actually match module ([Edit=Require template editor access] (indefinite) [Move=Require template editor access] (indefinite))
text
text/plain
/* {{pp|small=yes}} */
.documentation,
.documentation-metadata {
border: 1px solid #a2a9b1;
background-color: #ecfcf4;
clear: both;
}
.documentation {
margin: 1em 0 0 0;
padding: 1em;
}
.documentation-metadata {
margin: 0.2em 0; /* same margin left-right as .documentation */
font-style: italic;
padding: 0.4em 1em; /* same padding left-right as .documentation */
}
.documentation-startbox {
padding-bottom: 3px;
border-bottom: 1px solid #aaa;
margin-bottom: 1ex;
}
.documentation-heading {
font-weight: bold;
font-size: 125%;
}
.documentation-clear { /* Don't want things to stick out where they shouldn't. */
clear: both;
}
.documentation-toolbar {
font-style: normal;
font-size: 85%;
}
ce0e629c92e3d825ab9fd927fe6cc37d9117b6cb
Template:Tl
10
386
634
2021-02-12T22:03:00Z
w>Anthony Appleyard
0
Anthony Appleyard moved page [[Template:Tl]] to [[Template:Template link]]: [[Special:Permalink/1006428669|Requested]] by Buidhe at [[WP:RM/TR]]: RM closed as move
wikitext
text/x-wiki
#REDIRECT [[Template:Template link]]
{{Redirect category shell|
{{R from move}}
}}
d6593bb3b4a866249f55d0f34b047a71fe1f1529
Template:Shortcut
10
393
648
2021-02-16T17:54:05Z
w>Nardog
0
TfM closed
wikitext
text/x-wiki
<includeonly>{{#invoke:Shortcut|main}}</includeonly><noinclude>
{{documentation}}
<!-- Categories go on the /doc subpage, and interwikis go on Wikidata. -->
</noinclude>
2f2ccc402cde40b1ae056628bffa0852ee01653c
Module:Shortcut/config
828
420
703
2021-02-16T18:43:45Z
w>Nardog
0
Scribunto
text/plain
-- This module holds configuration data for [[Module:Shortcut]].
return {
-- The heading at the top of the shortcut box. It accepts the following parameter:
-- $1 - the total number of shortcuts. (required)
['shortcut-heading'] = '[[Wikipedia:Shortcut|{{PLURAL:$1|Shortcut|Shortcuts}}]]',
-- The heading when |redirect=yes is given. It accepts the following parameter:
-- $1 - the total number of shortcuts. (required)
['redirect-heading'] = '[[Wikipedia:Redirect|{{PLURAL:$1|Redirect|Redirects}}]]',
-- The error message to display when a shortcut is invalid (is not a string, or
-- is the blank string). It accepts the following parameter:
-- $1 - the number of the shortcut in the argument list. (required)
['invalid-shortcut-error'] = 'shortcut #$1 was invalid (shortcuts must be ' ..
'strings of at least one character in length)',
-- The error message to display when no shortcuts or other displayable content
-- were specified. (required)
['no-content-error'] = 'Error: no shortcuts were specified and the ' ..
mw.text.nowiki('|msg=') ..
' parameter was not set.',
-- A category to add when the no-content-error message is displayed. (optional)
['no-content-error-category'] = 'Shortcut templates with missing parameters',
}
f9d1d94844d5953753eb19e30a3ce389eda3d319
Template:Template link
10
387
636
2021-03-25T19:03:22Z
w>Izno
0
[[Wikipedia:Templates for discussion/Log/2021 March 18#Template:Tlu]] closed as keep ([[WP:XFDC#4.0.11|XFDcloser]])
wikitext
text/x-wiki
{{[[Template:{{{1}}}|{{{1}}}]]}}<noinclude>{{documentation}}
<!-- Categories go on the /doc subpage and interwikis go on Wikidata. -->
</noinclude>
eabbec62efe3044a98ebb3ce9e7d4d43c222351d
Template:Page tabs
10
383
626
2021-10-26T17:23:11Z
w>MusikBot II
0
Changed protection settings for "[[Template:Page tabs]]": [[Wikipedia:High-risk templates|High-risk template or module]]: 2665 transclusions ([[User:MusikBot II/TemplateProtector|more info]]) ([Edit=Require extended confirmed access] (indefinite) [Move=Require extended confirmed access] (indefinite))
wikitext
text/x-wiki
<templatestyles src="Template:Page tabs/styles.css" />{{#invoke:page tabs|main}}<noinclude>
{{documentation}}
<!-- Categories go on the /doc subpage, and interwikis go on Wikidata. -->
</noinclude>
3a62a8333d1c19f5013db2874b0a94f3a78cf19a
Template:Page tabs/styles.css
10
390
642
2021-10-26T17:23:12Z
w>MusikBot II
0
Changed protection settings for "[[Template:Page tabs/styles.css]]": [[Wikipedia:High-risk templates|High-risk template or module]]: 2665 transclusions ([[User:MusikBot II/TemplateProtector|more info]]) ([Edit=Require extended confirmed access] (indefinite) [Move=Require extended confirmed access] (indefinite))
text
text/plain
/* {{pp-template}} */
.template-page-tabs {
background: #F8FCFF;
width: 100%;
display: flex;
flex-wrap: wrap;
margin-bottom: -4px;
}
.template-page-tabs > span {
padding: 0.5em;
line-height: 0.95em;
border: solid 2px #a3b1bf;
white-space: nowrap;
margin-bottom: 4px;
}
.template-page-tabs > span.spacer {
display: flex; /* hides any whitespace we put inside */
padding: 0;
flex: 9px;
border-width: 0 0 2px 0;
}
.template-page-tabs > span.spacer:last-child {
/* We want this to get first priority, which flexbox doesn't really understand but hopefully this will do. */
flex: 1000 1 0;
}
9a32f2ce06344b2d5a0bcf796efa015579249d85
Module:Page tabs
828
90
665
2021-10-26T17:25:30Z
w>MusikBot II
0
Changed protection settings for "[[Module:Page tabs]]": [[Wikipedia:High-risk templates|High-risk template or module]]: 2666 transclusions ([[User:MusikBot II/TemplateProtector|more info]]) ([Edit=Require extended confirmed access] (indefinite) [Move=Require extended confirmed access] (indefinite))
Scribunto
text/plain
-- This module implements {{Page tabs}}.
local getArgs = require('Module:Arguments').getArgs
local yesno = require('Module:Yesno')
local p = {}
function p.main(frame)
local args = getArgs(frame)
return p._main(args)
end
function p._main(args)
local makeTab = p.makeTab
local root = mw.html.create()
root:wikitext(yesno(args.NOTOC) and '__NOTOC__' or nil)
local row = root:tag('div')
:css('background', args.Background or '#f8fcff')
:addClass('template-page-tabs')
if not args[1] then
args[1] = '{{{1}}}'
end
for i, link in ipairs(args) do
makeTab(row, link, args, i)
end
return tostring(root)
end
function p.makeTab(root, link, args, i)
local thisPage = (args.This == 'auto' and link:find('[[' .. mw.title.getCurrentTitle().prefixedText .. '|', 1, true)) or tonumber(args.This) == i
root:tag('span')
:css('background-color', thisPage and (args['tab-bg'] or 'white') or (args['tab1-bg'] or '#cee0f2'))
:cssText(thisPage and 'border-bottom:0;font-weight:bold' or 'font-size:95%')
:wikitext(link)
:done()
:wikitext('<span class="spacer"> </span>')
end
return p
1fe0298d1cbadd008d27d27f87e42fb011a07b32
Template:No redirect
10
394
650
2022-01-02T09:07:18Z
tutorials>Dinoguy1000
0
fix "|=foo" bug
wikitext
text/x-wiki
{{safesubst:<noinclude/>#if: {{safesubst:<noinclude/>#invoke:Redirect|isRedirect|{{{1}}}}}
| <span class="plainlinks">[{{safesubst:<noinclude/>fullurl:{{{1}}}|redirect=no}} {{{2|{{{1}}}}}}]</span>
| {{safesubst:<noinclude/>#if:{{{2|}}}|[[:{{safesubst:<noinclude/>FULLPAGENAME:{{{1}}}}}|{{{2}}}]]|[[:{{safesubst:<noinclude/>FULLPAGENAME:{{{1}}}}}]]}}
}}<noinclude>
{{documentation}}
</noinclude>
1760035b1bed54ee08b810208ed3551b812dfe13
Module:Documentation/config
828
410
713
2022-01-25T23:46:11Z
w>Ianblair23
0
link
Scribunto
text/plain
----------------------------------------------------------------------------------------------------
--
-- Configuration for Module:Documentation
--
-- Here you can set the values of the parameters and messages used in Module:Documentation to
-- localise it to your wiki and your language. Unless specified otherwise, values given here
-- should be string values.
----------------------------------------------------------------------------------------------------
local cfg = {} -- Do not edit this line.
----------------------------------------------------------------------------------------------------
-- Protection template configuration
----------------------------------------------------------------------------------------------------
-- cfg['protection-reason-edit']
-- The protection reason for edit-protected templates to pass to
-- [[Module:Protection banner]].
cfg['protection-reason-edit'] = 'template'
--[[
----------------------------------------------------------------------------------------------------
-- Sandbox notice configuration
--
-- On sandbox pages the module can display a template notifying users that the current page is a
-- sandbox, and the location of test cases pages, etc. The module decides whether the page is a
-- sandbox or not based on the value of cfg['sandbox-subpage']. The following settings configure the
-- messages that the notices contains.
----------------------------------------------------------------------------------------------------
--]]
-- cfg['sandbox-notice-image']
-- The image displayed in the sandbox notice.
cfg['sandbox-notice-image'] = '[[File:Sandbox.svg|50px|alt=|link=]]'
--[[
-- cfg['sandbox-notice-pagetype-template']
-- cfg['sandbox-notice-pagetype-module']
-- cfg['sandbox-notice-pagetype-other']
-- The page type of the sandbox page. The message that is displayed depends on the current subject
-- namespace. This message is used in either cfg['sandbox-notice-blurb'] or
-- cfg['sandbox-notice-diff-blurb'].
--]]
cfg['sandbox-notice-pagetype-template'] = '[[Wikipedia:Template test cases|template sandbox]] page'
cfg['sandbox-notice-pagetype-module'] = '[[Wikipedia:Template test cases|module sandbox]] page'
cfg['sandbox-notice-pagetype-other'] = 'sandbox page'
--[[
-- cfg['sandbox-notice-blurb']
-- cfg['sandbox-notice-diff-blurb']
-- cfg['sandbox-notice-diff-display']
-- Either cfg['sandbox-notice-blurb'] or cfg['sandbox-notice-diff-blurb'] is the opening sentence
-- of the sandbox notice. The latter has a diff link, but the former does not. $1 is the page
-- type, which is either cfg['sandbox-notice-pagetype-template'],
-- cfg['sandbox-notice-pagetype-module'] or cfg['sandbox-notice-pagetype-other'] depending what
-- namespace we are in. $2 is a link to the main template page, and $3 is a diff link between
-- the sandbox and the main template. The display value of the diff link is set by
-- cfg['sandbox-notice-compare-link-display'].
--]]
cfg['sandbox-notice-blurb'] = 'This is the $1 for $2.'
cfg['sandbox-notice-diff-blurb'] = 'This is the $1 for $2 ($3).'
cfg['sandbox-notice-compare-link-display'] = 'diff'
--[[
-- cfg['sandbox-notice-testcases-blurb']
-- cfg['sandbox-notice-testcases-link-display']
-- cfg['sandbox-notice-testcases-run-blurb']
-- cfg['sandbox-notice-testcases-run-link-display']
-- cfg['sandbox-notice-testcases-blurb'] is a sentence notifying the user that there is a test cases page
-- corresponding to this sandbox that they can edit. $1 is a link to the test cases page.
-- cfg['sandbox-notice-testcases-link-display'] is the display value for that link.
-- cfg['sandbox-notice-testcases-run-blurb'] is a sentence notifying the user that there is a test cases page
-- corresponding to this sandbox that they can edit, along with a link to run it. $1 is a link to the test
-- cases page, and $2 is a link to the page to run it.
-- cfg['sandbox-notice-testcases-run-link-display'] is the display value for the link to run the test
-- cases.
--]]
cfg['sandbox-notice-testcases-blurb'] = 'See also the companion subpage for $1.'
cfg['sandbox-notice-testcases-link-display'] = 'test cases'
cfg['sandbox-notice-testcases-run-blurb'] = 'See also the companion subpage for $1 ($2).'
cfg['sandbox-notice-testcases-run-link-display'] = 'run'
-- cfg['sandbox-category']
-- A category to add to all template sandboxes.
cfg['sandbox-category'] = 'Template sandboxes'
----------------------------------------------------------------------------------------------------
-- Start box configuration
----------------------------------------------------------------------------------------------------
-- cfg['documentation-icon-wikitext']
-- The wikitext for the icon shown at the top of the template.
cfg['documentation-icon-wikitext'] = '[[File:Test Template Info-Icon - Version (2).svg|50px|link=|alt=]]'
-- cfg['template-namespace-heading']
-- The heading shown in the template namespace.
cfg['template-namespace-heading'] = 'Template documentation'
-- cfg['module-namespace-heading']
-- The heading shown in the module namespace.
cfg['module-namespace-heading'] = 'Module documentation'
-- cfg['file-namespace-heading']
-- The heading shown in the file namespace.
cfg['file-namespace-heading'] = 'Summary'
-- cfg['other-namespaces-heading']
-- The heading shown in other namespaces.
cfg['other-namespaces-heading'] = 'Documentation'
-- cfg['view-link-display']
-- The text to display for "view" links.
cfg['view-link-display'] = 'view'
-- cfg['edit-link-display']
-- The text to display for "edit" links.
cfg['edit-link-display'] = 'edit'
-- cfg['history-link-display']
-- The text to display for "history" links.
cfg['history-link-display'] = 'history'
-- cfg['purge-link-display']
-- The text to display for "purge" links.
cfg['purge-link-display'] = 'purge'
-- cfg['create-link-display']
-- The text to display for "create" links.
cfg['create-link-display'] = 'create'
----------------------------------------------------------------------------------------------------
-- Link box (end box) configuration
----------------------------------------------------------------------------------------------------
-- cfg['transcluded-from-blurb']
-- Notice displayed when the docs are transcluded from another page. $1 is a wikilink to that page.
cfg['transcluded-from-blurb'] = 'The above [[Wikipedia:Template documentation|documentation]] is [[Help:Transclusion|transcluded]] from $1.'
--[[
-- cfg['create-module-doc-blurb']
-- Notice displayed in the module namespace when the documentation subpage does not exist.
-- $1 is a link to create the documentation page with the preload cfg['module-preload'] and the
-- display cfg['create-link-display'].
--]]
cfg['create-module-doc-blurb'] = 'You might want to $1 a documentation page for this [[Wikipedia:Lua|Scribunto module]].'
----------------------------------------------------------------------------------------------------
-- Experiment blurb configuration
----------------------------------------------------------------------------------------------------
--[[
-- cfg['experiment-blurb-template']
-- cfg['experiment-blurb-module']
-- The experiment blurb is the text inviting editors to experiment in sandbox and test cases pages.
-- It is only shown in the template and module namespaces. With the default English settings, it
-- might look like this:
--
-- Editors can experiment in this template's sandbox (edit | diff) and testcases (edit) pages.
--
-- In this example, "sandbox", "edit", "diff", "testcases", and "edit" would all be links.
--
-- There are two versions, cfg['experiment-blurb-template'] and cfg['experiment-blurb-module'], depending
-- on what namespace we are in.
--
-- Parameters:
--
-- $1 is a link to the sandbox page. If the sandbox exists, it is in the following format:
--
-- cfg['sandbox-link-display'] (cfg['sandbox-edit-link-display'] | cfg['compare-link-display'])
--
-- If the sandbox doesn't exist, it is in the format:
--
-- cfg['sandbox-link-display'] (cfg['sandbox-create-link-display'] | cfg['mirror-link-display'])
--
-- The link for cfg['sandbox-create-link-display'] link preloads the page with cfg['template-sandbox-preload']
-- or cfg['module-sandbox-preload'], depending on the current namespace. The link for cfg['mirror-link-display']
-- loads a default edit summary of cfg['mirror-edit-summary'].
--
-- $2 is a link to the test cases page. If the test cases page exists, it is in the following format:
--
-- cfg['testcases-link-display'] (cfg['testcases-edit-link-display'] | cfg['testcases-run-link-display'])
--
-- If the test cases page doesn't exist, it is in the format:
--
-- cfg['testcases-link-display'] (cfg['testcases-create-link-display'])
--
-- If the test cases page doesn't exist, the link for cfg['testcases-create-link-display'] preloads the
-- page with cfg['template-testcases-preload'] or cfg['module-testcases-preload'], depending on the current
-- namespace.
--]]
cfg['experiment-blurb-template'] = "Editors can experiment in this template's $1 and $2 pages."
cfg['experiment-blurb-module'] = "Editors can experiment in this module's $1 and $2 pages."
----------------------------------------------------------------------------------------------------
-- Sandbox link configuration
----------------------------------------------------------------------------------------------------
-- cfg['sandbox-subpage']
-- The name of the template subpage typically used for sandboxes.
cfg['sandbox-subpage'] = 'sandbox'
-- cfg['template-sandbox-preload']
-- Preload file for template sandbox pages.
cfg['template-sandbox-preload'] = 'Template:Documentation/preload-sandbox'
-- cfg['module-sandbox-preload']
-- Preload file for Lua module sandbox pages.
cfg['module-sandbox-preload'] = 'Template:Documentation/preload-module-sandbox'
-- cfg['sandbox-link-display']
-- The text to display for "sandbox" links.
cfg['sandbox-link-display'] = 'sandbox'
-- cfg['sandbox-edit-link-display']
-- The text to display for sandbox "edit" links.
cfg['sandbox-edit-link-display'] = 'edit'
-- cfg['sandbox-create-link-display']
-- The text to display for sandbox "create" links.
cfg['sandbox-create-link-display'] = 'create'
-- cfg['compare-link-display']
-- The text to display for "compare" links.
cfg['compare-link-display'] = 'diff'
-- cfg['mirror-edit-summary']
-- The default edit summary to use when a user clicks the "mirror" link. $1 is a wikilink to the
-- template page.
cfg['mirror-edit-summary'] = 'Create sandbox version of $1'
-- cfg['mirror-link-display']
-- The text to display for "mirror" links.
cfg['mirror-link-display'] = 'mirror'
-- cfg['mirror-link-preload']
-- The page to preload when a user clicks the "mirror" link.
cfg['mirror-link-preload'] = 'Template:Documentation/mirror'
----------------------------------------------------------------------------------------------------
-- Test cases link configuration
----------------------------------------------------------------------------------------------------
-- cfg['testcases-subpage']
-- The name of the template subpage typically used for test cases.
cfg['testcases-subpage'] = 'testcases'
-- cfg['template-testcases-preload']
-- Preload file for template test cases pages.
cfg['template-testcases-preload'] = 'Template:Documentation/preload-testcases'
-- cfg['module-testcases-preload']
-- Preload file for Lua module test cases pages.
cfg['module-testcases-preload'] = 'Template:Documentation/preload-module-testcases'
-- cfg['testcases-link-display']
-- The text to display for "testcases" links.
cfg['testcases-link-display'] = 'testcases'
-- cfg['testcases-edit-link-display']
-- The text to display for test cases "edit" links.
cfg['testcases-edit-link-display'] = 'edit'
-- cfg['testcases-run-link-display']
-- The text to display for test cases "run" links.
cfg['testcases-run-link-display'] = 'run'
-- cfg['testcases-create-link-display']
-- The text to display for test cases "create" links.
cfg['testcases-create-link-display'] = 'create'
----------------------------------------------------------------------------------------------------
-- Add categories blurb configuration
----------------------------------------------------------------------------------------------------
--[[
-- cfg['add-categories-blurb']
-- Text to direct users to add categories to the /doc subpage. Not used if the "content" or
-- "docname fed" arguments are set, as then it is not clear where to add the categories. $1 is a
-- link to the /doc subpage with a display value of cfg['doc-link-display'].
--]]
cfg['add-categories-blurb'] = 'Add categories to the $1 subpage.'
-- cfg['doc-link-display']
-- The text to display when linking to the /doc subpage.
cfg['doc-link-display'] = '/doc'
----------------------------------------------------------------------------------------------------
-- Subpages link configuration
----------------------------------------------------------------------------------------------------
--[[
-- cfg['subpages-blurb']
-- The "Subpages of this template" blurb. $1 is a link to the main template's subpages with a
-- display value of cfg['subpages-link-display']. In the English version this blurb is simply
-- the link followed by a period, and the link display provides the actual text.
--]]
cfg['subpages-blurb'] = '$1.'
--[[
-- cfg['subpages-link-display']
-- The text to display for the "subpages of this page" link. $1 is cfg['template-pagetype'],
-- cfg['module-pagetype'] or cfg['default-pagetype'], depending on whether the current page is in
-- the template namespace, the module namespace, or another namespace.
--]]
cfg['subpages-link-display'] = 'Subpages of this $1'
-- cfg['template-pagetype']
-- The pagetype to display for template pages.
cfg['template-pagetype'] = 'template'
-- cfg['module-pagetype']
-- The pagetype to display for Lua module pages.
cfg['module-pagetype'] = 'module'
-- cfg['default-pagetype']
-- The pagetype to display for pages other than templates or Lua modules.
cfg['default-pagetype'] = 'page'
----------------------------------------------------------------------------------------------------
-- Doc link configuration
----------------------------------------------------------------------------------------------------
-- cfg['doc-subpage']
-- The name of the subpage typically used for documentation pages.
cfg['doc-subpage'] = 'doc'
-- cfg['docpage-preload']
-- Preload file for template documentation pages in all namespaces.
cfg['docpage-preload'] = 'Template:Documentation/preload'
-- cfg['module-preload']
-- Preload file for Lua module documentation pages.
cfg['module-preload'] = 'Template:Documentation/preload-module-doc'
----------------------------------------------------------------------------------------------------
-- HTML and CSS configuration
----------------------------------------------------------------------------------------------------
-- cfg['templatestyles']
-- The name of the TemplateStyles page where CSS is kept.
-- Sandbox CSS will be at Module:Documentation/sandbox/styles.css when needed.
cfg['templatestyles'] = 'Module:Documentation/styles.css'
-- cfg['container']
-- Class which can be used to set flex or grid CSS on the
-- two child divs documentation and documentation-metadata
cfg['container'] = 'documentation-container'
-- cfg['main-div-classes']
-- Classes added to the main HTML "div" tag.
cfg['main-div-classes'] = 'documentation'
-- cfg['main-div-heading-class']
-- Class for the main heading for templates and modules and assoc. talk spaces
cfg['main-div-heading-class'] = 'documentation-heading'
-- cfg['start-box-class']
-- Class for the start box
cfg['start-box-class'] = 'documentation-startbox'
-- cfg['start-box-link-classes']
-- Classes used for the [view][edit][history] or [create] links in the start box.
-- mw-editsection-like is per [[Wikipedia:Village pump (technical)/Archive 117]]
cfg['start-box-link-classes'] = 'mw-editsection-like plainlinks'
-- cfg['end-box-class']
-- Class for the end box.
cfg['end-box-class'] = 'documentation-metadata'
-- cfg['end-box-plainlinks']
-- Plainlinks
cfg['end-box-plainlinks'] = 'plainlinks'
-- cfg['toolbar-class']
-- Class added for toolbar links.
cfg['toolbar-class'] = 'documentation-toolbar'
-- cfg['clear']
-- Just used to clear things.
cfg['clear'] = 'documentation-clear'
----------------------------------------------------------------------------------------------------
-- Tracking category configuration
----------------------------------------------------------------------------------------------------
-- cfg['display-strange-usage-category']
-- Set to true to enable output of cfg['strange-usage-category'] if the module is used on a /doc subpage
-- or a /testcases subpage. This should be a boolean value (either true or false).
cfg['display-strange-usage-category'] = true
-- cfg['strange-usage-category']
-- Category to output if cfg['display-strange-usage-category'] is set to true and the module is used on a
-- /doc subpage or a /testcases subpage.
cfg['strange-usage-category'] = 'Wikipedia pages with strange ((documentation)) usage'
--[[
----------------------------------------------------------------------------------------------------
-- End configuration
--
-- Don't edit anything below this line.
----------------------------------------------------------------------------------------------------
--]]
return cfg
71b68ed73088f1a59d61acf06bbee9fde6677f03
681
2022-10-01T17:37:53Z
Pppery
10
Pppery moved page [[Module:Documentation/config/2]] to [[Module:Documentation/config]] without leaving a redirect
Scribunto
text/plain
----------------------------------------------------------------------------------------------------
--
-- Configuration for Module:Documentation
--
-- Here you can set the values of the parameters and messages used in Module:Documentation to
-- localise it to your wiki and your language. Unless specified otherwise, values given here
-- should be string values.
----------------------------------------------------------------------------------------------------
local cfg = {} -- Do not edit this line.
----------------------------------------------------------------------------------------------------
-- Start box configuration
----------------------------------------------------------------------------------------------------
-- cfg['documentation-icon-wikitext']
-- The wikitext for the icon shown at the top of the template.
cfg['documentation-icon-wikitext'] = '[[File:Test Template Info-Icon - Version (2).svg|50px|link=|alt=]]'
-- cfg['template-namespace-heading']
-- The heading shown in the template namespace.
cfg['template-namespace-heading'] = 'Template documentation'
-- cfg['module-namespace-heading']
-- The heading shown in the module namespace.
cfg['module-namespace-heading'] = 'Module documentation'
-- cfg['file-namespace-heading']
-- The heading shown in the file namespace.
cfg['file-namespace-heading'] = 'Summary'
-- cfg['other-namespaces-heading']
-- The heading shown in other namespaces.
cfg['other-namespaces-heading'] = 'Documentation'
-- cfg['view-link-display']
-- The text to display for "view" links.
cfg['view-link-display'] = 'view'
-- cfg['edit-link-display']
-- The text to display for "edit" links.
cfg['edit-link-display'] = 'edit'
-- cfg['history-link-display']
-- The text to display for "history" links.
cfg['history-link-display'] = 'history'
-- cfg['purge-link-display']
-- The text to display for "purge" links.
cfg['purge-link-display'] = 'purge'
-- cfg['create-link-display']
-- The text to display for "create" links.
cfg['create-link-display'] = 'create'
----------------------------------------------------------------------------------------------------
-- Link box (end box) configuration
----------------------------------------------------------------------------------------------------
-- cfg['transcluded-from-blurb']
-- Notice displayed when the docs are transcluded from another page. $1 is a wikilink to that page.
cfg['transcluded-from-blurb'] = 'The above [[w:Wikipedia:Template documentation|documentation]] is [[mw:Help:Transclusion|transcluded]] from $1.'
--[[
-- cfg['create-module-doc-blurb']
-- Notice displayed in the module namespace when the documentation subpage does not exist.
-- $1 is a link to create the documentation page with the preload cfg['module-preload'] and the
-- display cfg['create-link-display'].
--]]
cfg['create-module-doc-blurb'] = 'You might want to $1 a documentation page for this [[mw:Extension:Scribunto/Lua reference manual|Scribunto module]].'
----------------------------------------------------------------------------------------------------
-- Experiment blurb configuration
----------------------------------------------------------------------------------------------------
--[[
-- cfg['experiment-blurb-template']
-- cfg['experiment-blurb-module']
-- The experiment blurb is the text inviting editors to experiment in sandbox and test cases pages.
-- It is only shown in the template and module namespaces. With the default English settings, it
-- might look like this:
--
-- Editors can experiment in this template's sandbox (edit | diff) and testcases (edit) pages.
--
-- In this example, "sandbox", "edit", "diff", "testcases", and "edit" would all be links.
--
-- There are two versions, cfg['experiment-blurb-template'] and cfg['experiment-blurb-module'], depending
-- on what namespace we are in.
--
-- Parameters:
--
-- $1 is a link to the sandbox page. If the sandbox exists, it is in the following format:
--
-- cfg['sandbox-link-display'] (cfg['sandbox-edit-link-display'] | cfg['compare-link-display'])
--
-- If the sandbox doesn't exist, it is in the format:
--
-- cfg['sandbox-link-display'] (cfg['sandbox-create-link-display'] | cfg['mirror-link-display'])
--
-- The link for cfg['sandbox-create-link-display'] link preloads the page with cfg['template-sandbox-preload']
-- or cfg['module-sandbox-preload'], depending on the current namespace. The link for cfg['mirror-link-display']
-- loads a default edit summary of cfg['mirror-edit-summary'].
--
-- $2 is a link to the test cases page. If the test cases page exists, it is in the following format:
--
-- cfg['testcases-link-display'] (cfg['testcases-edit-link-display'] | cfg['testcases-run-link-display'])
--
-- If the test cases page doesn't exist, it is in the format:
--
-- cfg['testcases-link-display'] (cfg['testcases-create-link-display'])
--
-- If the test cases page doesn't exist, the link for cfg['testcases-create-link-display'] preloads the
-- page with cfg['template-testcases-preload'] or cfg['module-testcases-preload'], depending on the current
-- namespace.
--]]
cfg['experiment-blurb-template'] = "Editors can experiment in this template's $1 and $2 pages."
cfg['experiment-blurb-module'] = "Editors can experiment in this module's $1 and $2 pages."
----------------------------------------------------------------------------------------------------
-- Sandbox link configuration
----------------------------------------------------------------------------------------------------
-- cfg['sandbox-subpage']
-- The name of the template subpage typically used for sandboxes.
cfg['sandbox-subpage'] = 'sandbox'
-- cfg['template-sandbox-preload']
-- Preload file for template sandbox pages.
cfg['template-sandbox-preload'] = 'Template:Documentation/preload-sandbox'
-- cfg['module-sandbox-preload']
-- Preload file for Lua module sandbox pages.
cfg['module-sandbox-preload'] = 'Template:Documentation/preload-module-sandbox'
-- cfg['sandbox-link-display']
-- The text to display for "sandbox" links.
cfg['sandbox-link-display'] = 'sandbox'
-- cfg['sandbox-edit-link-display']
-- The text to display for sandbox "edit" links.
cfg['sandbox-edit-link-display'] = 'edit'
-- cfg['sandbox-create-link-display']
-- The text to display for sandbox "create" links.
cfg['sandbox-create-link-display'] = 'create'
-- cfg['compare-link-display']
-- The text to display for "compare" links.
cfg['compare-link-display'] = 'diff'
-- cfg['mirror-edit-summary']
-- The default edit summary to use when a user clicks the "mirror" link. $1 is a wikilink to the
-- template page.
cfg['mirror-edit-summary'] = 'Create sandbox version of $1'
-- cfg['mirror-link-display']
-- The text to display for "mirror" links.
cfg['mirror-link-display'] = 'mirror'
-- cfg['mirror-link-preload']
-- The page to preload when a user clicks the "mirror" link.
cfg['mirror-link-preload'] = 'Template:Documentation/mirror'
----------------------------------------------------------------------------------------------------
-- Test cases link configuration
----------------------------------------------------------------------------------------------------
-- cfg['testcases-subpage']
-- The name of the template subpage typically used for test cases.
cfg['testcases-subpage'] = 'testcases'
-- cfg['template-testcases-preload']
-- Preload file for template test cases pages.
cfg['template-testcases-preload'] = 'Template:Documentation/preload-testcases'
-- cfg['module-testcases-preload']
-- Preload file for Lua module test cases pages.
cfg['module-testcases-preload'] = 'Template:Documentation/preload-module-testcases'
-- cfg['testcases-link-display']
-- The text to display for "testcases" links.
cfg['testcases-link-display'] = 'testcases'
-- cfg['testcases-edit-link-display']
-- The text to display for test cases "edit" links.
cfg['testcases-edit-link-display'] = 'edit'
-- cfg['testcases-run-link-display']
-- The text to display for test cases "run" links.
cfg['testcases-run-link-display'] = 'run'
-- cfg['testcases-create-link-display']
-- The text to display for test cases "create" links.
cfg['testcases-create-link-display'] = 'create'
----------------------------------------------------------------------------------------------------
-- Add categories blurb configuration
----------------------------------------------------------------------------------------------------
--[[
-- cfg['add-categories-blurb']
-- Text to direct users to add categories to the /doc subpage. Not used if the "content" or
-- "docname fed" arguments are set, as then it is not clear where to add the categories. $1 is a
-- link to the /doc subpage with a display value of cfg['doc-link-display'].
--]]
cfg['add-categories-blurb'] = 'Add categories to the $1 subpage.'
-- cfg['doc-link-display']
-- The text to display when linking to the /doc subpage.
cfg['doc-link-display'] = '/doc'
----------------------------------------------------------------------------------------------------
-- Subpages link configuration
----------------------------------------------------------------------------------------------------
--[[
-- cfg['subpages-blurb']
-- The "Subpages of this template" blurb. $1 is a link to the main template's subpages with a
-- display value of cfg['subpages-link-display']. In the English version this blurb is simply
-- the link followed by a period, and the link display provides the actual text.
--]]
cfg['subpages-blurb'] = '$1.'
--[[
-- cfg['subpages-link-display']
-- The text to display for the "subpages of this page" link. $1 is cfg['template-pagetype'],
-- cfg['module-pagetype'] or cfg['default-pagetype'], depending on whether the current page is in
-- the template namespace, the module namespace, or another namespace.
--]]
cfg['subpages-link-display'] = 'Subpages of this $1'
-- cfg['template-pagetype']
-- The pagetype to display for template pages.
cfg['template-pagetype'] = 'template'
-- cfg['module-pagetype']
-- The pagetype to display for Lua module pages.
cfg['module-pagetype'] = 'module'
-- cfg['default-pagetype']
-- The pagetype to display for pages other than templates or Lua modules.
cfg['default-pagetype'] = 'page'
----------------------------------------------------------------------------------------------------
-- Doc link configuration
----------------------------------------------------------------------------------------------------
-- cfg['doc-subpage']
-- The name of the subpage typically used for documentation pages.
cfg['doc-subpage'] = 'doc'
-- cfg['docpage-preload']
-- Preload file for template documentation pages in all namespaces.
cfg['docpage-preload'] = 'Template:Documentation/preload'
-- cfg['module-preload']
-- Preload file for Lua module documentation pages.
cfg['module-preload'] = 'Template:Documentation/preload-module-doc'
----------------------------------------------------------------------------------------------------
-- HTML and CSS configuration
----------------------------------------------------------------------------------------------------
-- cfg['templatestyles']
-- The name of the TemplateStyles page where CSS is kept.
-- Sandbox CSS will be at Module:Documentation/sandbox/styles.css when needed.
cfg['templatestyles'] = 'Module:Documentation/styles.css'
-- cfg['container']
-- Class which can be used to set flex or grid CSS on the
-- two child divs documentation and documentation-metadata
cfg['container'] = 'documentation-container'
-- cfg['main-div-classes']
-- Classes added to the main HTML "div" tag.
cfg['main-div-classes'] = 'documentation'
-- cfg['main-div-heading-class']
-- Class for the main heading for templates and modules and assoc. talk spaces
cfg['main-div-heading-class'] = 'documentation-heading'
-- cfg['start-box-class']
-- Class for the start box
cfg['start-box-class'] = 'documentation-startbox'
-- cfg['start-box-link-classes']
-- Classes used for the [view][edit][history] or [create] links in the start box.
-- mw-editsection-like is per [[Wikipedia:Village pump (technical)/Archive 117]]
cfg['start-box-link-classes'] = 'mw-editsection-like plainlinks'
-- cfg['end-box-class']
-- Class for the end box.
cfg['end-box-class'] = 'documentation-metadata'
-- cfg['end-box-plainlinks']
-- Plainlinks
cfg['end-box-plainlinks'] = 'plainlinks'
-- cfg['toolbar-class']
-- Class added for toolbar links.
cfg['toolbar-class'] = 'documentation-toolbar'
-- cfg['clear']
-- Just used to clear things.
cfg['clear'] = 'documentation-clear'
----------------------------------------------------------------------------------------------------
-- Tracking category configuration
----------------------------------------------------------------------------------------------------
-- cfg['display-strange-usage-category']
-- Set to true to enable output of cfg['strange-usage-category'] if the module is used on a /doc subpage
-- or a /testcases subpage. This should be a boolean value (either true or false).
cfg['display-strange-usage-category'] = true
-- cfg['strange-usage-category']
-- Category to output if cfg['display-strange-usage-category'] is set to true and the module is used on a
-- /doc subpage or a /testcases subpage.
cfg['strange-usage-category'] = 'Wikipedia pages with strange ((documentation)) usage'
--[[
----------------------------------------------------------------------------------------------------
-- End configuration
--
-- Don't edit anything below this line.
----------------------------------------------------------------------------------------------------
--]]
return cfg
d70e8b1402a2bbe08a1fef4b75d743e661af0c95
Module:TableTools
828
423
709
2022-01-31T13:08:18Z
w>MSGJ
0
updates/fixes requested by [[User:Uzume]]
Scribunto
text/plain
------------------------------------------------------------------------------------
-- TableTools --
-- --
-- This module includes a number of functions for dealing with Lua tables. --
-- It is a meta-module, meant to be called from other Lua modules, and should not --
-- be called directly from #invoke. --
------------------------------------------------------------------------------------
local libraryUtil = require('libraryUtil')
local p = {}
-- Define often-used variables and functions.
local floor = math.floor
local infinity = math.huge
local checkType = libraryUtil.checkType
local checkTypeMulti = libraryUtil.checkTypeMulti
------------------------------------------------------------------------------------
-- isPositiveInteger
--
-- This function returns true if the given value is a positive integer, and false
-- if not. Although it doesn't operate on tables, it is included here as it is
-- useful for determining whether a given table key is in the array part or the
-- hash part of a table.
------------------------------------------------------------------------------------
function p.isPositiveInteger(v)
return type(v) == 'number' and v >= 1 and floor(v) == v and v < infinity
end
------------------------------------------------------------------------------------
-- isNan
--
-- This function returns true if the given number is a NaN value, and false if
-- not. Although it doesn't operate on tables, it is included here as it is useful
-- for determining whether a value can be a valid table key. Lua will generate an
-- error if a NaN is used as a table key.
------------------------------------------------------------------------------------
function p.isNan(v)
return type(v) == 'number' and v ~= v
end
------------------------------------------------------------------------------------
-- shallowClone
--
-- This returns a clone of a table. The value returned is a new table, but all
-- subtables and functions are shared. Metamethods are respected, but the returned
-- table will have no metatable of its own.
------------------------------------------------------------------------------------
function p.shallowClone(t)
checkType('shallowClone', 1, t, 'table')
local ret = {}
for k, v in pairs(t) do
ret[k] = v
end
return ret
end
------------------------------------------------------------------------------------
-- removeDuplicates
--
-- This removes duplicate values from an array. Non-positive-integer keys are
-- ignored. The earliest value is kept, and all subsequent duplicate values are
-- removed, but otherwise the array order is unchanged.
------------------------------------------------------------------------------------
function p.removeDuplicates(arr)
checkType('removeDuplicates', 1, arr, 'table')
local isNan = p.isNan
local ret, exists = {}, {}
for _, v in ipairs(arr) do
if isNan(v) then
-- NaNs can't be table keys, and they are also unique, so we don't need to check existence.
ret[#ret + 1] = v
else
if not exists[v] then
ret[#ret + 1] = v
exists[v] = true
end
end
end
return ret
end
------------------------------------------------------------------------------------
-- numKeys
--
-- This takes a table and returns an array containing the numbers of any numerical
-- keys that have non-nil values, sorted in numerical order.
------------------------------------------------------------------------------------
function p.numKeys(t)
checkType('numKeys', 1, t, 'table')
local isPositiveInteger = p.isPositiveInteger
local nums = {}
for k in pairs(t) do
if isPositiveInteger(k) then
nums[#nums + 1] = k
end
end
table.sort(nums)
return nums
end
------------------------------------------------------------------------------------
-- affixNums
--
-- This takes a table and returns an array containing the numbers of keys with the
-- specified prefix and suffix. For example, for the table
-- {a1 = 'foo', a3 = 'bar', a6 = 'baz'} and the prefix "a", affixNums will return
-- {1, 3, 6}.
------------------------------------------------------------------------------------
function p.affixNums(t, prefix, suffix)
checkType('affixNums', 1, t, 'table')
checkType('affixNums', 2, prefix, 'string', true)
checkType('affixNums', 3, suffix, 'string', true)
local function cleanPattern(s)
-- Cleans a pattern so that the magic characters ()%.[]*+-?^$ are interpreted literally.
return s:gsub('([%(%)%%%.%[%]%*%+%-%?%^%$])', '%%%1')
end
prefix = prefix or ''
suffix = suffix or ''
prefix = cleanPattern(prefix)
suffix = cleanPattern(suffix)
local pattern = '^' .. prefix .. '([1-9]%d*)' .. suffix .. '$'
local nums = {}
for k in pairs(t) do
if type(k) == 'string' then
local num = mw.ustring.match(k, pattern)
if num then
nums[#nums + 1] = tonumber(num)
end
end
end
table.sort(nums)
return nums
end
------------------------------------------------------------------------------------
-- numData
--
-- Given a table with keys like {"foo1", "bar1", "foo2", "baz2"}, returns a table
-- of subtables in the format
-- {[1] = {foo = 'text', bar = 'text'}, [2] = {foo = 'text', baz = 'text'}}.
-- Keys that don't end with an integer are stored in a subtable named "other". The
-- compress option compresses the table so that it can be iterated over with
-- ipairs.
------------------------------------------------------------------------------------
function p.numData(t, compress)
checkType('numData', 1, t, 'table')
checkType('numData', 2, compress, 'boolean', true)
local ret = {}
for k, v in pairs(t) do
local prefix, num = mw.ustring.match(tostring(k), '^([^0-9]*)([1-9][0-9]*)$')
if num then
num = tonumber(num)
local subtable = ret[num] or {}
if prefix == '' then
-- Positional parameters match the blank string; put them at the start of the subtable instead.
prefix = 1
end
subtable[prefix] = v
ret[num] = subtable
else
local subtable = ret.other or {}
subtable[k] = v
ret.other = subtable
end
end
if compress then
local other = ret.other
ret = p.compressSparseArray(ret)
ret.other = other
end
return ret
end
------------------------------------------------------------------------------------
-- compressSparseArray
--
-- This takes an array with one or more nil values, and removes the nil values
-- while preserving the order, so that the array can be safely traversed with
-- ipairs.
------------------------------------------------------------------------------------
function p.compressSparseArray(t)
checkType('compressSparseArray', 1, t, 'table')
local ret = {}
local nums = p.numKeys(t)
for _, num in ipairs(nums) do
ret[#ret + 1] = t[num]
end
return ret
end
------------------------------------------------------------------------------------
-- sparseIpairs
--
-- This is an iterator for sparse arrays. It can be used like ipairs, but can
-- handle nil values.
------------------------------------------------------------------------------------
function p.sparseIpairs(t)
checkType('sparseIpairs', 1, t, 'table')
local nums = p.numKeys(t)
local i = 0
local lim = #nums
return function ()
i = i + 1
if i <= lim then
local key = nums[i]
return key, t[key]
else
return nil, nil
end
end
end
------------------------------------------------------------------------------------
-- size
--
-- This returns the size of a key/value pair table. It will also work on arrays,
-- but for arrays it is more efficient to use the # operator.
------------------------------------------------------------------------------------
function p.size(t)
checkType('size', 1, t, 'table')
local i = 0
for _ in pairs(t) do
i = i + 1
end
return i
end
local function defaultKeySort(item1, item2)
-- "number" < "string", so numbers will be sorted before strings.
local type1, type2 = type(item1), type(item2)
if type1 ~= type2 then
return type1 < type2
elseif type1 == 'table' or type1 == 'boolean' or type1 == 'function' then
return tostring(item1) < tostring(item2)
else
return item1 < item2
end
end
------------------------------------------------------------------------------------
-- keysToList
--
-- Returns an array of the keys in a table, sorted using either a default
-- comparison function or a custom keySort function.
------------------------------------------------------------------------------------
function p.keysToList(t, keySort, checked)
if not checked then
checkType('keysToList', 1, t, 'table')
checkTypeMulti('keysToList', 2, keySort, {'function', 'boolean', 'nil'})
end
local arr = {}
local index = 1
for k in pairs(t) do
arr[index] = k
index = index + 1
end
if keySort ~= false then
keySort = type(keySort) == 'function' and keySort or defaultKeySort
table.sort(arr, keySort)
end
return arr
end
------------------------------------------------------------------------------------
-- sortedPairs
--
-- Iterates through a table, with the keys sorted using the keysToList function.
-- If there are only numerical keys, sparseIpairs is probably more efficient.
------------------------------------------------------------------------------------
function p.sortedPairs(t, keySort)
checkType('sortedPairs', 1, t, 'table')
checkType('sortedPairs', 2, keySort, 'function', true)
local arr = p.keysToList(t, keySort, true)
local i = 0
return function ()
i = i + 1
local key = arr[i]
if key ~= nil then
return key, t[key]
else
return nil, nil
end
end
end
------------------------------------------------------------------------------------
-- isArray
--
-- Returns true if the given value is a table and all keys are consecutive
-- integers starting at 1.
------------------------------------------------------------------------------------
function p.isArray(v)
if type(v) ~= 'table' then
return false
end
local i = 0
for _ in pairs(v) do
i = i + 1
if v[i] == nil then
return false
end
end
return true
end
------------------------------------------------------------------------------------
-- isArrayLike
--
-- Returns true if the given value is iterable and all keys are consecutive
-- integers starting at 1.
------------------------------------------------------------------------------------
function p.isArrayLike(v)
if not pcall(pairs, v) then
return false
end
local i = 0
for _ in pairs(v) do
i = i + 1
if v[i] == nil then
return false
end
end
return true
end
------------------------------------------------------------------------------------
-- invert
--
-- Transposes the keys and values in an array. For example, {"a", "b", "c"} ->
-- {a = 1, b = 2, c = 3}. Duplicates are not supported (result values refer to
-- the index of the last duplicate) and NaN values are ignored.
------------------------------------------------------------------------------------
function p.invert(arr)
checkType("invert", 1, arr, "table")
local isNan = p.isNan
local map = {}
for i, v in ipairs(arr) do
if not isNan(v) then
map[v] = i
end
end
return map
end
------------------------------------------------------------------------------------
-- listToSet
--
-- Creates a set from the array part of the table. Indexing the set by any of the
-- values of the array returns true. For example, {"a", "b", "c"} ->
-- {a = true, b = true, c = true}. NaN values are ignored as Lua considers them
-- never equal to any value (including other NaNs or even themselves).
------------------------------------------------------------------------------------
function p.listToSet(arr)
checkType("listToSet", 1, arr, "table")
local isNan = p.isNan
local set = {}
for _, v in ipairs(arr) do
if not isNan(v) then
set[v] = true
end
end
return set
end
------------------------------------------------------------------------------------
-- deepCopy
--
-- Recursive deep copy function. Preserves identities of subtables.
------------------------------------------------------------------------------------
local function _deepCopy(orig, includeMetatable, already_seen)
-- Stores copies of tables indexed by the original table.
already_seen = already_seen or {}
local copy = already_seen[orig]
if copy ~= nil then
return copy
end
if type(orig) == 'table' then
copy = {}
for orig_key, orig_value in pairs(orig) do
copy[_deepCopy(orig_key, includeMetatable, already_seen)] = _deepCopy(orig_value, includeMetatable, already_seen)
end
already_seen[orig] = copy
if includeMetatable then
local mt = getmetatable(orig)
if mt ~= nil then
local mt_copy = _deepCopy(mt, includeMetatable, already_seen)
setmetatable(copy, mt_copy)
already_seen[mt] = mt_copy
end
end
else -- number, string, boolean, etc
copy = orig
end
return copy
end
function p.deepCopy(orig, noMetatable, already_seen)
checkType("deepCopy", 3, already_seen, "table", true)
return _deepCopy(orig, not noMetatable, already_seen)
end
------------------------------------------------------------------------------------
-- sparseConcat
--
-- Concatenates all values in the table that are indexed by a number, in order.
-- sparseConcat{a, nil, c, d} => "acd"
-- sparseConcat{nil, b, c, d} => "bcd"
------------------------------------------------------------------------------------
function p.sparseConcat(t, sep, i, j)
local arr = {}
local arr_i = 0
for _, v in p.sparseIpairs(t) do
arr_i = arr_i + 1
arr[arr_i] = v
end
return table.concat(arr, sep, i, j)
end
------------------------------------------------------------------------------------
-- length
--
-- Finds the length of an array, or of a quasi-array with keys such as "data1",
-- "data2", etc., using an exponential search algorithm. It is similar to the
-- operator #, but may return a different value when there are gaps in the array
-- portion of the table. Intended to be used on data loaded with mw.loadData. For
-- other tables, use #.
-- Note: #frame.args in frame object always be set to 0, regardless of the number
-- of unnamed template parameters, so use this function for frame.args.
------------------------------------------------------------------------------------
function p.length(t, prefix)
-- requiring module inline so that [[Module:Exponential search]] which is
-- only needed by this one function doesn't get millions of transclusions
local expSearch = require("Module:Exponential search")
checkType('length', 1, t, 'table')
checkType('length', 2, prefix, 'string', true)
return expSearch(function (i)
local key
if prefix then
key = prefix .. tostring(i)
else
key = i
end
return t[key] ~= nil
end) or 0
end
------------------------------------------------------------------------------------
-- inArray
--
-- Returns true if valueToFind is a member of the array, and false otherwise.
------------------------------------------------------------------------------------
function p.inArray(arr, valueToFind)
checkType("inArray", 1, arr, "table")
-- if valueToFind is nil, error?
for _, v in ipairs(arr) do
if v == valueToFind then
return true
end
end
return false
end
return p
085e7094ac84eb0132ee65822cf3f69cd8ba3d81
Template:Documentation subpage
10
385
632
2022-02-09T04:09:32Z
w>Bsherr
0
semantic emphasis, shortening emphasized phrase
wikitext
text/x-wiki
<includeonly><!--
-->{{#ifeq:{{lc:{{SUBPAGENAME}}}} |{{{override|doc}}}
| <!--(this template has been transcluded on a /doc or /{{{override}}} page)-->
</includeonly><!--
-->{{#ifeq:{{{doc-notice|show}}} |show
| {{Mbox
| type = notice
| style = margin-bottom:1.0em;
| image = [[File:Edit-copy green.svg|40px|alt=|link=]]
| text =
{{strong|This is a [[Wikipedia:Template documentation|documentation]] [[Wikipedia:Subpages|subpage]]}} for {{terminate sentence|{{{1|[[:{{SUBJECTSPACE}}:{{BASEPAGENAME}}]]}}}}}<br />It contains usage information, [[Wikipedia:Categorization|categories]] and other content that is not part of the original {{#if:{{{text2|}}} |{{{text2}}} |{{#if:{{{text1|}}} |{{{text1}}} |{{#ifeq:{{SUBJECTSPACE}} |{{ns:User}} |{{lc:{{SUBJECTSPACE}}}} template page |{{#if:{{SUBJECTSPACE}} |{{lc:{{SUBJECTSPACE}}}} page|article}}}}}}}}.
}}
}}<!--
-->{{DEFAULTSORT:{{{defaultsort|{{PAGENAME}}}}}}}<!--
-->{{#if:{{{inhibit|}}} |<!--(don't categorize)-->
| <includeonly><!--
-->{{#ifexist:{{NAMESPACE}}:{{BASEPAGENAME}}
| [[Category:{{#switch:{{SUBJECTSPACE}} |Template=Template |Module=Module |User=User |#default=Wikipedia}} documentation pages]]
| [[Category:Documentation subpages without corresponding pages]]
}}<!--
--></includeonly>
}}<!--
(completing initial #ifeq: at start of template:)
--><includeonly>
| <!--(this template has not been transcluded on a /doc or /{{{override}}} page)-->
}}<!--
--></includeonly><noinclude>{{Documentation}}</noinclude>
932915be87123dcf74687ffca846a3130a6a52af
Template:Documentation
10
43
630
2022-03-29T02:14:34Z
w>Bsherr
0
consistent with new substitution template format
wikitext
text/x-wiki
{{#invoke:documentation|main|_content={{ {{#invoke:documentation|contentTitle}}}}}}<noinclude>
<!-- Add categories to the /doc subpage -->
</noinclude>
9e62b964e96c4e3d478edecbfcb3c0338ae8a276
Template:Page tabs/tabs
10
392
646
2022-04-06T14:42:55Z
w>GhostInTheMachine
0
ce
wikitext
text/x-wiki
{{Page tabs
|[[Template:Page tabs|The template]]
|[[Template:Page tabs/doc|The documentation]]
|[[Template:Page tabs/tabs|Example tab page]]
|[[Main Page]]
|This={{{This|3}}}
}}
a07e4acd993315a593e698ec46db56d4bbd314d1
Template:Page tabs/doc
10
391
644
2022-04-06T14:46:34Z
w>GhostInTheMachine
0
clean description
wikitext
text/x-wiki
{{Documentation subpage}}
<noinclude>{{Page tabs/tabs|This=2}}</noinclude><includeonly>{{Page tabs/tabs|This=1}}
{{Shortcut|Template:Tabs|WP:TABS}}</includeonly>
{{Lua|Module:Page tabs}}
{{TemplateStyles|Template:Page tabs/styles.css}}
<!-- PLEASE ADD CATEGORIES AT THE BOTTOM OF THIS PAGE -->
This template provides a menu of tabs for linking to different pages. Any number of tabs can be specified.
The tab for the current page is indicated by {{para|This}}, with tab numbers starting from 1. Without this parameter, the first tab will be selected.
Setting {{para|NOTOC|true}} suppresses the table of contents.
This template '''should not''' be used in articles.
== Example ==
{{Page tabs
| NOTOC = true
| [[User:Example]]
| [[User:Example/Subpage 1]]
| [[User:Example/Subpage 2|Second subpage]]
| [[User:Example/Subpage 3]]
| This = 2
}}
<syntaxhighlight lang="moin">
{{Page tabs
| NOTOC = true
| [[User:Example]]
| [[User:Example/Subpage 1]]
| [[User:Example/Subpage 2|Second subpage]]
| [[User:Example/Subpage 3]]
| This = 2
}}
</syntaxhighlight>
== See also ==
* {{tl|Tab}}
* {{tl|Start tab}}
* {{tl|End tab}}
<includeonly>{{Sandbox other||
<!-- CATEGORIES BELOW THIS LINE, PLEASE: -->
[[Category:Wikipedia utility templates]]
[[Category:WikiProject tab header templates|*]]
[[Category:Tab header templates]]
}}</includeonly>
23cfa56ab666f352b38254b7b9c7f413667e4873
Module:Uses TemplateStyles
828
414
692
2022-06-16T15:13:38Z
tutorials>Pppery
0
Matching reality rather than 2018 me's wishful thinking
Scribunto
text/plain
local yesno = require('Module:Yesno')
local mList = require('Module:List')
local mTableTools = require('Module:TableTools')
local mMessageBox = require('Module:Message box')
local TNT = require('Module:TNT')
local p = {}
local function format(msg, ...)
return TNT.format('I18n/Uses TemplateStyles', msg, ...)
end
local function getConfig()
return mw.loadData('Module:Uses TemplateStyles/config')
end
local function renderBox(tStyles)
local boxArgs = {
type = 'notice',
small = true,
image = string.format('[[File:Farm-Fresh css add.svg|32px|alt=%s]]', format('logo-alt'))
}
if #tStyles < 1 then
boxArgs.text = string.format('<strong class="error">%s</strong>', format('error-emptylist'))
else
local cfg = getConfig()
local tStylesLinks = {}
for i, ts in ipairs(tStyles) do
local link = string.format('[[:%s]]', ts)
local sandboxLink = nil
local tsTitle = mw.title.new(ts)
if tsTitle and cfg['sandbox_title'] then
local tsSandboxTitle = mw.title.new(string.format(
'%s:%s/%s/%s', tsTitle.nsText, tsTitle.baseText, cfg['sandbox_title'], tsTitle.subpageText))
if tsSandboxTitle and tsSandboxTitle.exists then
sandboxLink = format('sandboxlink', link, ':' .. tsSandboxTitle.prefixedText)
end
end
tStylesLinks[i] = sandboxLink or link
end
local tStylesList = mList.makeList('bulleted', tStylesLinks)
boxArgs.text = format(
mw.title.getCurrentTitle():inNamespaces(828,829) and 'header-module' or 'header-template') ..
'\n' .. tStylesList
end
return mMessageBox.main('mbox', boxArgs)
end
local function renderTrackingCategories(args, tStyles, titleObj)
if yesno(args.nocat) then
return ''
end
local cfg = getConfig()
local cats = {}
-- Error category
if #tStyles < 1 and cfg['error_category'] then
cats[#cats + 1] = cfg['error_category']
end
-- TemplateStyles category
titleObj = titleObj or mw.title.getCurrentTitle()
if (titleObj.namespace == 10 or titleObj.namespace == 828)
and not cfg['subpage_blacklist'][titleObj.subpageText]
then
local category = args.category or cfg['default_category']
if category then
cats[#cats + 1] = category
end
if not yesno(args.noprotcat) and (cfg['protection_conflict_category'] or cfg['padlock_pattern']) then
local currentProt = titleObj.protectionLevels["edit"] and titleObj.protectionLevels["edit"][1] or nil
local addedLevelCat = false
local addedPadlockCat = false
for i, ts in ipairs(tStyles) do
local tsTitleObj = mw.title.new(ts)
local tsProt = tsTitleObj.protectionLevels["edit"] and tsTitleObj.protectionLevels["edit"][1] or nil
if cfg['padlock_pattern'] and tsProt and not addedPadlockCat then
local content = tsTitleObj:getContent()
if not content:find(cfg['padlock_pattern']) then
cats[#cats + 1] = cfg['missing_padlock_category']
addedPadlockCat = true
end
end
if cfg['protection_conflict_category'] and currentProt and tsProt ~= currentProt and not addedLevelCat then
currentProt = cfg['protection_hierarchy'][currentProt] or 0
tsProt = cfg['protection_hierarchy'][tsProt] or 0
if tsProt < currentProt then
addedLevelCat = true
cats[#cats + 1] = cfg['protection_conflict_category']
end
end
end
end
end
for i, cat in ipairs(cats) do
cats[i] = string.format('[[Category:%s]]', cat)
end
return table.concat(cats)
end
function p._main(args, cfg)
local tStyles = mTableTools.compressSparseArray(args)
local box = renderBox(tStyles)
local trackingCategories = renderTrackingCategories(args, tStyles)
return box .. trackingCategories
end
function p.main(frame)
local origArgs = frame:getParent().args
local args = {}
for k, v in pairs(origArgs) do
v = v:match('^%s*(.-)%s*$')
if v ~= '' then
args[k] = v
end
end
return p._main(args)
end
return p
71ca57c37849f38e3c5ee30061bdae730963e48e
Template:Para
10
399
660
2022-07-22T08:06:17Z
w>TheDJ
0
breakup super long words, so we do not overflow the viewport.
wikitext
text/x-wiki
<code class="tpl-para" style="word-break:break-word;{{SAFESUBST:<noinclude />#if:{{{plain|}}}|border: none; background-color: inherit;}} {{SAFESUBST:<noinclude />#if:{{{plain|}}}{{{mxt|}}}{{{green|}}}{{{!mxt|}}}{{{red|}}}|color: {{SAFESUBST:<noinclude />#if:{{{mxt|}}}{{{green|}}}|#006400|{{SAFESUBST:<noinclude />#if:{{{!mxt|}}}{{{red|}}}|#8B0000|inherit}}}};}} {{SAFESUBST:<noinclude />#if:{{{style|}}}|{{{style}}}}}">|{{SAFESUBST:<noinclude />#if:{{{1|}}}|{{{1}}}=}}{{{2|}}}</code><noinclude>
{{Documentation}}
<!--Categories and interwikis go near the bottom of the /doc subpage.-->
</noinclude>
06006deea2ed5d552aab61b4332321ab749ae7e8
Module:Documentation
828
408
711
2022-09-29T01:57:36Z
w>Andrybak
0
update code comment according to [[Special:Diff/989669779]]
Scribunto
text/plain
-- This module implements {{documentation}}.
-- Get required modules.
local getArgs = require('Module:Arguments').getArgs
-- Get the config table.
local cfg = mw.loadData('Module:Documentation/config')
local p = {}
-- Often-used functions.
local ugsub = mw.ustring.gsub
----------------------------------------------------------------------------
-- Helper functions
--
-- These are defined as local functions, but are made available in the p
-- table for testing purposes.
----------------------------------------------------------------------------
local function message(cfgKey, valArray, expectType)
--[[
-- Gets a message from the cfg table and formats it if appropriate.
-- The function raises an error if the value from the cfg table is not
-- of the type expectType. The default type for expectType is 'string'.
-- If the table valArray is present, strings such as $1, $2 etc. in the
-- message are substituted with values from the table keys [1], [2] etc.
-- For example, if the message "foo-message" had the value 'Foo $2 bar $1.',
-- message('foo-message', {'baz', 'qux'}) would return "Foo qux bar baz."
--]]
local msg = cfg[cfgKey]
expectType = expectType or 'string'
if type(msg) ~= expectType then
error('message: type error in message cfg.' .. cfgKey .. ' (' .. expectType .. ' expected, got ' .. type(msg) .. ')', 2)
end
if not valArray then
return msg
end
local function getMessageVal(match)
match = tonumber(match)
return valArray[match] or error('message: no value found for key $' .. match .. ' in message cfg.' .. cfgKey, 4)
end
return ugsub(msg, '$([1-9][0-9]*)', getMessageVal)
end
p.message = message
local function makeWikilink(page, display)
if display then
return mw.ustring.format('[[%s|%s]]', page, display)
else
return mw.ustring.format('[[%s]]', page)
end
end
p.makeWikilink = makeWikilink
local function makeCategoryLink(cat, sort)
local catns = mw.site.namespaces[14].name
return makeWikilink(catns .. ':' .. cat, sort)
end
p.makeCategoryLink = makeCategoryLink
local function makeUrlLink(url, display)
return mw.ustring.format('[%s %s]', url, display)
end
p.makeUrlLink = makeUrlLink
local function makeToolbar(...)
local ret = {}
local lim = select('#', ...)
if lim < 1 then
return nil
end
for i = 1, lim do
ret[#ret + 1] = select(i, ...)
end
-- 'documentation-toolbar'
return '<span class="' .. message('toolbar-class') .. '">('
.. table.concat(ret, ' | ') .. ')</span>'
end
p.makeToolbar = makeToolbar
----------------------------------------------------------------------------
-- Argument processing
----------------------------------------------------------------------------
local function makeInvokeFunc(funcName)
return function (frame)
local args = getArgs(frame, {
valueFunc = function (key, value)
if type(value) == 'string' then
value = value:match('^%s*(.-)%s*$') -- Remove whitespace.
if key == 'heading' or value ~= '' then
return value
else
return nil
end
else
return value
end
end
})
return p[funcName](args)
end
end
----------------------------------------------------------------------------
-- Entry points
----------------------------------------------------------------------------
function p.nonexistent(frame)
if mw.title.getCurrentTitle().subpageText == 'testcases' then
return frame:expandTemplate{title = 'module test cases notice'}
else
return p.main(frame)
end
end
p.main = makeInvokeFunc('_main')
function p._main(args)
--[[
-- This function defines logic flow for the module.
-- @args - table of arguments passed by the user
--]]
local env = p.getEnvironment(args)
local root = mw.html.create()
root
:wikitext(p._getModuleWikitext(args, env))
:wikitext(p.protectionTemplate(env))
:wikitext(p.sandboxNotice(args, env))
:tag('div')
-- 'documentation-container'
:addClass(message('container'))
:attr('role', 'complementary')
:attr('aria-labelledby', args.heading ~= '' and 'documentation-heading' or nil)
:attr('aria-label', args.heading == '' and 'Documentation' or nil)
:newline()
:tag('div')
-- 'documentation'
:addClass(message('main-div-classes'))
:newline()
:wikitext(p._startBox(args, env))
:wikitext(p._content(args, env))
:tag('div')
-- 'documentation-clear'
:addClass(message('clear'))
:done()
:newline()
:done()
:wikitext(p._endBox(args, env))
:done()
:wikitext(p.addTrackingCategories(env))
-- 'Module:Documentation/styles.css'
return mw.getCurrentFrame():extensionTag (
'templatestyles', '', {src=cfg['templatestyles']
}) .. tostring(root)
end
----------------------------------------------------------------------------
-- Environment settings
----------------------------------------------------------------------------
function p.getEnvironment(args)
--[[
-- Returns a table with information about the environment, including title
-- objects and other namespace- or path-related data.
-- @args - table of arguments passed by the user
--
-- Title objects include:
-- env.title - the page we are making documentation for (usually the current title)
-- env.templateTitle - the template (or module, file, etc.)
-- env.docTitle - the /doc subpage.
-- env.sandboxTitle - the /sandbox subpage.
-- env.testcasesTitle - the /testcases subpage.
--
-- Data includes:
-- env.protectionLevels - the protection levels table of the title object.
-- env.subjectSpace - the number of the title's subject namespace.
-- env.docSpace - the number of the namespace the title puts its documentation in.
-- env.docpageBase - the text of the base page of the /doc, /sandbox and /testcases pages, with namespace.
-- env.compareUrl - URL of the Special:ComparePages page comparing the sandbox with the template.
--
-- All table lookups are passed through pcall so that errors are caught. If an error occurs, the value
-- returned will be nil.
--]]
local env, envFuncs = {}, {}
-- Set up the metatable. If triggered we call the corresponding function in the envFuncs table. The value
-- returned by that function is memoized in the env table so that we don't call any of the functions
-- more than once. (Nils won't be memoized.)
setmetatable(env, {
__index = function (t, key)
local envFunc = envFuncs[key]
if envFunc then
local success, val = pcall(envFunc)
if success then
env[key] = val -- Memoise the value.
return val
end
end
return nil
end
})
function envFuncs.title()
-- The title object for the current page, or a test page passed with args.page.
local title
local titleArg = args.page
if titleArg then
title = mw.title.new(titleArg)
else
title = mw.title.getCurrentTitle()
end
return title
end
function envFuncs.templateTitle()
--[[
-- The template (or module, etc.) title object.
-- Messages:
-- 'sandbox-subpage' --> 'sandbox'
-- 'testcases-subpage' --> 'testcases'
--]]
local subjectSpace = env.subjectSpace
local title = env.title
local subpage = title.subpageText
if subpage == message('sandbox-subpage') or subpage == message('testcases-subpage') then
return mw.title.makeTitle(subjectSpace, title.baseText)
else
return mw.title.makeTitle(subjectSpace, title.text)
end
end
function envFuncs.docTitle()
--[[
-- Title object of the /doc subpage.
-- Messages:
-- 'doc-subpage' --> 'doc'
--]]
local title = env.title
local docname = args[1] -- User-specified doc page.
local docpage
if docname then
docpage = docname
else
docpage = env.docpageBase .. '/' .. message('doc-subpage')
end
return mw.title.new(docpage)
end
function envFuncs.sandboxTitle()
--[[
-- Title object for the /sandbox subpage.
-- Messages:
-- 'sandbox-subpage' --> 'sandbox'
--]]
return mw.title.new(env.docpageBase .. '/' .. message('sandbox-subpage'))
end
function envFuncs.testcasesTitle()
--[[
-- Title object for the /testcases subpage.
-- Messages:
-- 'testcases-subpage' --> 'testcases'
--]]
return mw.title.new(env.docpageBase .. '/' .. message('testcases-subpage'))
end
function envFuncs.protectionLevels()
-- The protection levels table of the title object.
return env.title.protectionLevels
end
function envFuncs.subjectSpace()
-- The subject namespace number.
return mw.site.namespaces[env.title.namespace].subject.id
end
function envFuncs.docSpace()
-- The documentation namespace number. For most namespaces this is the
-- same as the subject namespace. However, pages in the Article, File,
-- MediaWiki or Category namespaces must have their /doc, /sandbox and
-- /testcases pages in talk space.
local subjectSpace = env.subjectSpace
if subjectSpace == 0 or subjectSpace == 6 or subjectSpace == 8 or subjectSpace == 14 then
return subjectSpace + 1
else
return subjectSpace
end
end
function envFuncs.docpageBase()
-- The base page of the /doc, /sandbox, and /testcases subpages.
-- For some namespaces this is the talk page, rather than the template page.
local templateTitle = env.templateTitle
local docSpace = env.docSpace
local docSpaceText = mw.site.namespaces[docSpace].name
-- Assemble the link. docSpace is never the main namespace, so we can hardcode the colon.
return docSpaceText .. ':' .. templateTitle.text
end
function envFuncs.compareUrl()
-- Diff link between the sandbox and the main template using [[Special:ComparePages]].
local templateTitle = env.templateTitle
local sandboxTitle = env.sandboxTitle
if templateTitle.exists and sandboxTitle.exists then
local compareUrl = mw.uri.fullUrl(
'Special:ComparePages',
{ page1 = templateTitle.prefixedText, page2 = sandboxTitle.prefixedText}
)
return tostring(compareUrl)
else
return nil
end
end
return env
end
----------------------------------------------------------------------------
-- Auxiliary templates
----------------------------------------------------------------------------
p.getModuleWikitext = makeInvokeFunc('_getModuleWikitext')
function p._getModuleWikitext(args, env)
local currentTitle = mw.title.getCurrentTitle()
if currentTitle.contentModel ~= 'Scribunto' then return end
pcall(require, currentTitle.prefixedText) -- if it fails, we don't care
local moduleWikitext = package.loaded["Module:Module wikitext"]
if moduleWikitext then
return moduleWikitext.main()
end
end
function p.sandboxNotice(args, env)
--[=[
-- Generates a sandbox notice for display above sandbox pages.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- Messages:
-- 'sandbox-notice-image' --> '[[File:Sandbox.svg|50px|alt=|link=]]'
-- 'sandbox-notice-blurb' --> 'This is the $1 for $2.'
-- 'sandbox-notice-diff-blurb' --> 'This is the $1 for $2 ($3).'
-- 'sandbox-notice-pagetype-template' --> '[[Wikipedia:Template test cases|template sandbox]] page'
-- 'sandbox-notice-pagetype-module' --> '[[Wikipedia:Template test cases|module sandbox]] page'
-- 'sandbox-notice-pagetype-other' --> 'sandbox page'
-- 'sandbox-notice-compare-link-display' --> 'diff'
-- 'sandbox-notice-testcases-blurb' --> 'See also the companion subpage for $1.'
-- 'sandbox-notice-testcases-link-display' --> 'test cases'
-- 'sandbox-category' --> 'Template sandboxes'
--]=]
local title = env.title
local sandboxTitle = env.sandboxTitle
local templateTitle = env.templateTitle
local subjectSpace = env.subjectSpace
if not (subjectSpace and title and sandboxTitle and templateTitle
and mw.title.equals(title, sandboxTitle)) then
return nil
end
-- Build the table of arguments to pass to {{ombox}}. We need just two fields, "image" and "text".
local omargs = {}
omargs.image = message('sandbox-notice-image')
-- Get the text. We start with the opening blurb, which is something like
-- "This is the template sandbox for [[Template:Foo]] (diff)."
local text = ''
local pagetype
if subjectSpace == 10 then
pagetype = message('sandbox-notice-pagetype-template')
elseif subjectSpace == 828 then
pagetype = message('sandbox-notice-pagetype-module')
else
pagetype = message('sandbox-notice-pagetype-other')
end
local templateLink = makeWikilink(templateTitle.prefixedText)
local compareUrl = env.compareUrl
if compareUrl then
local compareDisplay = message('sandbox-notice-compare-link-display')
local compareLink = makeUrlLink(compareUrl, compareDisplay)
text = text .. message('sandbox-notice-diff-blurb', {pagetype, templateLink, compareLink})
else
text = text .. message('sandbox-notice-blurb', {pagetype, templateLink})
end
-- Get the test cases page blurb if the page exists. This is something like
-- "See also the companion subpage for [[Template:Foo/testcases|test cases]]."
local testcasesTitle = env.testcasesTitle
if testcasesTitle and testcasesTitle.exists then
if testcasesTitle.contentModel == "Scribunto" then
local testcasesLinkDisplay = message('sandbox-notice-testcases-link-display')
local testcasesRunLinkDisplay = message('sandbox-notice-testcases-run-link-display')
local testcasesLink = makeWikilink(testcasesTitle.prefixedText, testcasesLinkDisplay)
local testcasesRunLink = makeWikilink(testcasesTitle.talkPageTitle.prefixedText, testcasesRunLinkDisplay)
text = text .. '<br />' .. message('sandbox-notice-testcases-run-blurb', {testcasesLink, testcasesRunLink})
else
local testcasesLinkDisplay = message('sandbox-notice-testcases-link-display')
local testcasesLink = makeWikilink(testcasesTitle.prefixedText, testcasesLinkDisplay)
text = text .. '<br />' .. message('sandbox-notice-testcases-blurb', {testcasesLink})
end
end
-- Add the sandbox to the sandbox category.
omargs.text = text .. makeCategoryLink(message('sandbox-category'))
-- 'documentation-clear'
return '<div class="' .. message('clear') .. '"></div>'
.. require('Module:Message box').main('ombox', omargs)
end
function p.protectionTemplate(env)
-- Generates the padlock icon in the top right.
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
-- Messages:
-- 'protection-template' --> 'pp-template'
-- 'protection-template-args' --> {docusage = 'yes'}
local protectionLevels = env.protectionLevels
if not protectionLevels then
return nil
end
local editProt = protectionLevels.edit and protectionLevels.edit[1]
local moveProt = protectionLevels.move and protectionLevels.move[1]
if editProt then
-- The page is edit-protected.
return require('Module:Protection banner')._main{
message('protection-reason-edit'), small = true
}
elseif moveProt and moveProt ~= 'autoconfirmed' then
-- The page is move-protected but not edit-protected. Exclude move
-- protection with the level "autoconfirmed", as this is equivalent to
-- no move protection at all.
return require('Module:Protection banner')._main{
action = 'move', small = true
}
else
return nil
end
end
----------------------------------------------------------------------------
-- Start box
----------------------------------------------------------------------------
p.startBox = makeInvokeFunc('_startBox')
function p._startBox(args, env)
--[[
-- This function generates the start box.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- The actual work is done by p.makeStartBoxLinksData and p.renderStartBoxLinks which make
-- the [view] [edit] [history] [purge] links, and by p.makeStartBoxData and p.renderStartBox
-- which generate the box HTML.
--]]
env = env or p.getEnvironment(args)
local links
local content = args.content
if not content or args[1] then
-- No need to include the links if the documentation is on the template page itself.
local linksData = p.makeStartBoxLinksData(args, env)
if linksData then
links = p.renderStartBoxLinks(linksData)
end
end
-- Generate the start box html.
local data = p.makeStartBoxData(args, env, links)
if data then
return p.renderStartBox(data)
else
-- User specified no heading.
return nil
end
end
function p.makeStartBoxLinksData(args, env)
--[[
-- Does initial processing of data to make the [view] [edit] [history] [purge] links.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- Messages:
-- 'view-link-display' --> 'view'
-- 'edit-link-display' --> 'edit'
-- 'history-link-display' --> 'history'
-- 'purge-link-display' --> 'purge'
-- 'module-preload' --> 'Template:Documentation/preload-module-doc'
-- 'docpage-preload' --> 'Template:Documentation/preload'
-- 'create-link-display' --> 'create'
--]]
local subjectSpace = env.subjectSpace
local title = env.title
local docTitle = env.docTitle
if not title or not docTitle then
return nil
end
if docTitle.isRedirect then
docTitle = docTitle.redirectTarget
end
local data = {}
data.title = title
data.docTitle = docTitle
-- View, display, edit, and purge links if /doc exists.
data.viewLinkDisplay = message('view-link-display')
data.editLinkDisplay = message('edit-link-display')
data.historyLinkDisplay = message('history-link-display')
data.purgeLinkDisplay = message('purge-link-display')
-- Create link if /doc doesn't exist.
local preload = args.preload
if not preload then
if subjectSpace == 828 then -- Module namespace
preload = message('module-preload')
else
preload = message('docpage-preload')
end
end
data.preload = preload
data.createLinkDisplay = message('create-link-display')
return data
end
function p.renderStartBoxLinks(data)
--[[
-- Generates the [view][edit][history][purge] or [create][purge] links from the data table.
-- @data - a table of data generated by p.makeStartBoxLinksData
--]]
local function escapeBrackets(s)
-- Escapes square brackets with HTML entities.
s = s:gsub('%[', '[') -- Replace square brackets with HTML entities.
s = s:gsub('%]', ']')
return s
end
local ret
local docTitle = data.docTitle
local title = data.title
local purgeLink = makeUrlLink(title:fullUrl{action = 'purge'}, data.purgeLinkDisplay)
if docTitle.exists then
local viewLink = makeWikilink(docTitle.prefixedText, data.viewLinkDisplay)
local editLink = makeUrlLink(docTitle:fullUrl{action = 'edit'}, data.editLinkDisplay)
local historyLink = makeUrlLink(docTitle:fullUrl{action = 'history'}, data.historyLinkDisplay)
ret = '[%s] [%s] [%s] [%s]'
ret = escapeBrackets(ret)
ret = mw.ustring.format(ret, viewLink, editLink, historyLink, purgeLink)
else
local createLink = makeUrlLink(docTitle:fullUrl{action = 'edit', preload = data.preload}, data.createLinkDisplay)
ret = '[%s] [%s]'
ret = escapeBrackets(ret)
ret = mw.ustring.format(ret, createLink, purgeLink)
end
return ret
end
function p.makeStartBoxData(args, env, links)
--[=[
-- Does initial processing of data to pass to the start-box render function, p.renderStartBox.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
-- @links - a string containing the [view][edit][history][purge] links - could be nil if there's an error.
--
-- Messages:
-- 'documentation-icon-wikitext' --> '[[File:Test Template Info-Icon - Version (2).svg|50px|link=|alt=]]'
-- 'template-namespace-heading' --> 'Template documentation'
-- 'module-namespace-heading' --> 'Module documentation'
-- 'file-namespace-heading' --> 'Summary'
-- 'other-namespaces-heading' --> 'Documentation'
-- 'testcases-create-link-display' --> 'create'
--]=]
local subjectSpace = env.subjectSpace
if not subjectSpace then
-- Default to an "other namespaces" namespace, so that we get at least some output
-- if an error occurs.
subjectSpace = 2
end
local data = {}
-- Heading
local heading = args.heading -- Blank values are not removed.
if heading == '' then
-- Don't display the start box if the heading arg is defined but blank.
return nil
end
if heading then
data.heading = heading
elseif subjectSpace == 10 then -- Template namespace
data.heading = message('documentation-icon-wikitext') .. ' ' .. message('template-namespace-heading')
elseif subjectSpace == 828 then -- Module namespace
data.heading = message('documentation-icon-wikitext') .. ' ' .. message('module-namespace-heading')
elseif subjectSpace == 6 then -- File namespace
data.heading = message('file-namespace-heading')
else
data.heading = message('other-namespaces-heading')
end
-- Heading CSS
local headingStyle = args['heading-style']
if headingStyle then
data.headingStyleText = headingStyle
else
-- 'documentation-heading'
data.headingClass = message('main-div-heading-class')
end
-- Data for the [view][edit][history][purge] or [create] links.
if links then
-- 'mw-editsection-like plainlinks'
data.linksClass = message('start-box-link-classes')
data.links = links
end
return data
end
function p.renderStartBox(data)
-- Renders the start box html.
-- @data - a table of data generated by p.makeStartBoxData.
local sbox = mw.html.create('div')
sbox
-- 'documentation-startbox'
:addClass(message('start-box-class'))
:newline()
:tag('span')
:addClass(data.headingClass)
:attr('id', 'documentation-heading')
:cssText(data.headingStyleText)
:wikitext(data.heading)
local links = data.links
if links then
sbox:tag('span')
:addClass(data.linksClass)
:attr('id', data.linksId)
:wikitext(links)
end
return tostring(sbox)
end
----------------------------------------------------------------------------
-- Documentation content
----------------------------------------------------------------------------
p.content = makeInvokeFunc('_content')
function p._content(args, env)
-- Displays the documentation contents
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
env = env or p.getEnvironment(args)
local docTitle = env.docTitle
local content = args.content
if not content and docTitle and docTitle.exists then
content = args._content or mw.getCurrentFrame():expandTemplate{title = docTitle.prefixedText}
end
-- The line breaks below are necessary so that "=== Headings ===" at the start and end
-- of docs are interpreted correctly.
return '\n' .. (content or '') .. '\n'
end
p.contentTitle = makeInvokeFunc('_contentTitle')
function p._contentTitle(args, env)
env = env or p.getEnvironment(args)
local docTitle = env.docTitle
if not args.content and docTitle and docTitle.exists then
return docTitle.prefixedText
else
return ''
end
end
----------------------------------------------------------------------------
-- End box
----------------------------------------------------------------------------
p.endBox = makeInvokeFunc('_endBox')
function p._endBox(args, env)
--[=[
-- This function generates the end box (also known as the link box).
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
--]=]
-- Get environment data.
env = env or p.getEnvironment(args)
local subjectSpace = env.subjectSpace
local docTitle = env.docTitle
if not subjectSpace or not docTitle then
return nil
end
-- Check whether we should output the end box at all. Add the end
-- box by default if the documentation exists or if we are in the
-- user, module or template namespaces.
local linkBox = args['link box']
if linkBox == 'off'
or not (
docTitle.exists
or subjectSpace == 2
or subjectSpace == 828
or subjectSpace == 10
)
then
return nil
end
-- Assemble the link box.
local text = ''
if linkBox then
text = text .. linkBox
else
text = text .. (p.makeDocPageBlurb(args, env) or '') -- "This documentation is transcluded from [[Foo]]."
if subjectSpace == 2 or subjectSpace == 10 or subjectSpace == 828 then
-- We are in the user, template or module namespaces.
-- Add sandbox and testcases links.
-- "Editors can experiment in this template's sandbox and testcases pages."
text = text .. (p.makeExperimentBlurb(args, env) or '') .. '<br />'
if not args.content and not args[1] then
-- "Please add categories to the /doc subpage."
-- Don't show this message with inline docs or with an explicitly specified doc page,
-- as then it is unclear where to add the categories.
text = text .. (p.makeCategoriesBlurb(args, env) or '')
end
text = text .. ' ' .. (p.makeSubpagesBlurb(args, env) or '') --"Subpages of this template"
end
end
local box = mw.html.create('div')
-- 'documentation-metadata'
box:attr('role', 'note')
:addClass(message('end-box-class'))
-- 'plainlinks'
:addClass(message('end-box-plainlinks'))
:wikitext(text)
:done()
return '\n' .. tostring(box)
end
function p.makeDocPageBlurb(args, env)
--[=[
-- Makes the blurb "This documentation is transcluded from [[Template:Foo]] (edit, history)".
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- Messages:
-- 'edit-link-display' --> 'edit'
-- 'history-link-display' --> 'history'
-- 'transcluded-from-blurb' -->
-- 'The above [[Wikipedia:Template documentation|documentation]]
-- is [[Help:Transclusion|transcluded]] from $1.'
-- 'module-preload' --> 'Template:Documentation/preload-module-doc'
-- 'create-link-display' --> 'create'
-- 'create-module-doc-blurb' -->
-- 'You might want to $1 a documentation page for this [[Wikipedia:Lua|Scribunto module]].'
--]=]
local docTitle = env.docTitle
if not docTitle then
return nil
end
local ret
if docTitle.exists then
-- /doc exists; link to it.
local docLink = makeWikilink(docTitle.prefixedText)
local editUrl = docTitle:fullUrl{action = 'edit'}
local editDisplay = message('edit-link-display')
local editLink = makeUrlLink(editUrl, editDisplay)
local historyUrl = docTitle:fullUrl{action = 'history'}
local historyDisplay = message('history-link-display')
local historyLink = makeUrlLink(historyUrl, historyDisplay)
ret = message('transcluded-from-blurb', {docLink})
.. ' '
.. makeToolbar(editLink, historyLink)
.. '<br />'
elseif env.subjectSpace == 828 then
-- /doc does not exist; ask to create it.
local createUrl = docTitle:fullUrl{action = 'edit', preload = message('module-preload')}
local createDisplay = message('create-link-display')
local createLink = makeUrlLink(createUrl, createDisplay)
ret = message('create-module-doc-blurb', {createLink})
.. '<br />'
end
return ret
end
function p.makeExperimentBlurb(args, env)
--[[
-- Renders the text "Editors can experiment in this template's sandbox (edit | diff) and testcases (edit) pages."
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- Messages:
-- 'sandbox-link-display' --> 'sandbox'
-- 'sandbox-edit-link-display' --> 'edit'
-- 'compare-link-display' --> 'diff'
-- 'module-sandbox-preload' --> 'Template:Documentation/preload-module-sandbox'
-- 'template-sandbox-preload' --> 'Template:Documentation/preload-sandbox'
-- 'sandbox-create-link-display' --> 'create'
-- 'mirror-edit-summary' --> 'Create sandbox version of $1'
-- 'mirror-link-display' --> 'mirror'
-- 'mirror-link-preload' --> 'Template:Documentation/mirror'
-- 'sandbox-link-display' --> 'sandbox'
-- 'testcases-link-display' --> 'testcases'
-- 'testcases-edit-link-display'--> 'edit'
-- 'template-sandbox-preload' --> 'Template:Documentation/preload-sandbox'
-- 'testcases-create-link-display' --> 'create'
-- 'testcases-link-display' --> 'testcases'
-- 'testcases-edit-link-display' --> 'edit'
-- 'module-testcases-preload' --> 'Template:Documentation/preload-module-testcases'
-- 'template-testcases-preload' --> 'Template:Documentation/preload-testcases'
-- 'experiment-blurb-module' --> 'Editors can experiment in this module's $1 and $2 pages.'
-- 'experiment-blurb-template' --> 'Editors can experiment in this template's $1 and $2 pages.'
--]]
local subjectSpace = env.subjectSpace
local templateTitle = env.templateTitle
local sandboxTitle = env.sandboxTitle
local testcasesTitle = env.testcasesTitle
local templatePage = templateTitle.prefixedText
if not subjectSpace or not templateTitle or not sandboxTitle or not testcasesTitle then
return nil
end
-- Make links.
local sandboxLinks, testcasesLinks
if sandboxTitle.exists then
local sandboxPage = sandboxTitle.prefixedText
local sandboxDisplay = message('sandbox-link-display')
local sandboxLink = makeWikilink(sandboxPage, sandboxDisplay)
local sandboxEditUrl = sandboxTitle:fullUrl{action = 'edit'}
local sandboxEditDisplay = message('sandbox-edit-link-display')
local sandboxEditLink = makeUrlLink(sandboxEditUrl, sandboxEditDisplay)
local compareUrl = env.compareUrl
local compareLink
if compareUrl then
local compareDisplay = message('compare-link-display')
compareLink = makeUrlLink(compareUrl, compareDisplay)
end
sandboxLinks = sandboxLink .. ' ' .. makeToolbar(sandboxEditLink, compareLink)
else
local sandboxPreload
if subjectSpace == 828 then
sandboxPreload = message('module-sandbox-preload')
else
sandboxPreload = message('template-sandbox-preload')
end
local sandboxCreateUrl = sandboxTitle:fullUrl{action = 'edit', preload = sandboxPreload}
local sandboxCreateDisplay = message('sandbox-create-link-display')
local sandboxCreateLink = makeUrlLink(sandboxCreateUrl, sandboxCreateDisplay)
local mirrorSummary = message('mirror-edit-summary', {makeWikilink(templatePage)})
local mirrorPreload = message('mirror-link-preload')
local mirrorUrl = sandboxTitle:fullUrl{action = 'edit', preload = mirrorPreload, summary = mirrorSummary}
if subjectSpace == 828 then
mirrorUrl = sandboxTitle:fullUrl{action = 'edit', preload = templateTitle.prefixedText, summary = mirrorSummary}
end
local mirrorDisplay = message('mirror-link-display')
local mirrorLink = makeUrlLink(mirrorUrl, mirrorDisplay)
sandboxLinks = message('sandbox-link-display') .. ' ' .. makeToolbar(sandboxCreateLink, mirrorLink)
end
if testcasesTitle.exists then
local testcasesPage = testcasesTitle.prefixedText
local testcasesDisplay = message('testcases-link-display')
local testcasesLink = makeWikilink(testcasesPage, testcasesDisplay)
local testcasesEditUrl = testcasesTitle:fullUrl{action = 'edit'}
local testcasesEditDisplay = message('testcases-edit-link-display')
local testcasesEditLink = makeUrlLink(testcasesEditUrl, testcasesEditDisplay)
-- for Modules, add testcases run link if exists
if testcasesTitle.contentModel == "Scribunto" and testcasesTitle.talkPageTitle and testcasesTitle.talkPageTitle.exists then
local testcasesRunLinkDisplay = message('testcases-run-link-display')
local testcasesRunLink = makeWikilink(testcasesTitle.talkPageTitle.prefixedText, testcasesRunLinkDisplay)
testcasesLinks = testcasesLink .. ' ' .. makeToolbar(testcasesEditLink, testcasesRunLink)
else
testcasesLinks = testcasesLink .. ' ' .. makeToolbar(testcasesEditLink)
end
else
local testcasesPreload
if subjectSpace == 828 then
testcasesPreload = message('module-testcases-preload')
else
testcasesPreload = message('template-testcases-preload')
end
local testcasesCreateUrl = testcasesTitle:fullUrl{action = 'edit', preload = testcasesPreload}
local testcasesCreateDisplay = message('testcases-create-link-display')
local testcasesCreateLink = makeUrlLink(testcasesCreateUrl, testcasesCreateDisplay)
testcasesLinks = message('testcases-link-display') .. ' ' .. makeToolbar(testcasesCreateLink)
end
local messageName
if subjectSpace == 828 then
messageName = 'experiment-blurb-module'
else
messageName = 'experiment-blurb-template'
end
return message(messageName, {sandboxLinks, testcasesLinks})
end
function p.makeCategoriesBlurb(args, env)
--[[
-- Generates the text "Please add categories to the /doc subpage."
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
-- Messages:
-- 'doc-link-display' --> '/doc'
-- 'add-categories-blurb' --> 'Please add categories to the $1 subpage.'
--]]
local docTitle = env.docTitle
if not docTitle then
return nil
end
local docPathLink = makeWikilink(docTitle.prefixedText, message('doc-link-display'))
return message('add-categories-blurb', {docPathLink})
end
function p.makeSubpagesBlurb(args, env)
--[[
-- Generates the "Subpages of this template" link.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
-- Messages:
-- 'template-pagetype' --> 'template'
-- 'module-pagetype' --> 'module'
-- 'default-pagetype' --> 'page'
-- 'subpages-link-display' --> 'Subpages of this $1'
--]]
local subjectSpace = env.subjectSpace
local templateTitle = env.templateTitle
if not subjectSpace or not templateTitle then
return nil
end
local pagetype
if subjectSpace == 10 then
pagetype = message('template-pagetype')
elseif subjectSpace == 828 then
pagetype = message('module-pagetype')
else
pagetype = message('default-pagetype')
end
local subpagesLink = makeWikilink(
'Special:PrefixIndex/' .. templateTitle.prefixedText .. '/',
message('subpages-link-display', {pagetype})
)
return message('subpages-blurb', {subpagesLink})
end
----------------------------------------------------------------------------
-- Tracking categories
----------------------------------------------------------------------------
function p.addTrackingCategories(env)
--[[
-- Check if {{documentation}} is transcluded on a /doc or /testcases page.
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
-- Messages:
-- 'display-strange-usage-category' --> true
-- 'doc-subpage' --> 'doc'
-- 'testcases-subpage' --> 'testcases'
-- 'strange-usage-category' --> 'Wikipedia pages with strange ((documentation)) usage'
--
-- /testcases pages in the module namespace are not categorised, as they may have
-- {{documentation}} transcluded automatically.
--]]
local title = env.title
local subjectSpace = env.subjectSpace
if not title or not subjectSpace then
return nil
end
local subpage = title.subpageText
local ret = ''
if message('display-strange-usage-category', nil, 'boolean')
and (
subpage == message('doc-subpage')
or subjectSpace ~= 828 and subpage == message('testcases-subpage')
)
then
ret = ret .. makeCategoryLink(message('strange-usage-category'))
end
return ret
end
return p
2fd7faef98df56f55eede30c4ff07b2431823ee1
675
2022-09-30T01:43:37Z
MacFan4000
11
4 revisions imported from [[:meta:Template:Documentation]]: this is useful and was on templateiwki
wikitext
text/x-wiki
{{#invoke:documentation|main|_content={{ {{#invoke:documentation|contentTitle}}}}}}<noinclude>[[Category:Templates]]</noinclude>
9885bb4fa99bf3d5b960e73606bbb8eed3026877
679
675
2022-09-30T02:36:08Z
Pppery
10
Pppery moved page [[Module:Documentation/2]] to [[Module:Documentation]] without leaving a redirect
Scribunto
text/plain
-- This module implements {{documentation}}.
-- Get required modules.
local getArgs = require('Module:Arguments').getArgs
-- Get the config table.
local cfg = mw.loadData('Module:Documentation/config')
local p = {}
-- Often-used functions.
local ugsub = mw.ustring.gsub
----------------------------------------------------------------------------
-- Helper functions
--
-- These are defined as local functions, but are made available in the p
-- table for testing purposes.
----------------------------------------------------------------------------
local function message(cfgKey, valArray, expectType)
--[[
-- Gets a message from the cfg table and formats it if appropriate.
-- The function raises an error if the value from the cfg table is not
-- of the type expectType. The default type for expectType is 'string'.
-- If the table valArray is present, strings such as $1, $2 etc. in the
-- message are substituted with values from the table keys [1], [2] etc.
-- For example, if the message "foo-message" had the value 'Foo $2 bar $1.',
-- message('foo-message', {'baz', 'qux'}) would return "Foo qux bar baz."
--]]
local msg = cfg[cfgKey]
expectType = expectType or 'string'
if type(msg) ~= expectType then
error('message: type error in message cfg.' .. cfgKey .. ' (' .. expectType .. ' expected, got ' .. type(msg) .. ')', 2)
end
if not valArray then
return msg
end
local function getMessageVal(match)
match = tonumber(match)
return valArray[match] or error('message: no value found for key $' .. match .. ' in message cfg.' .. cfgKey, 4)
end
return ugsub(msg, '$([1-9][0-9]*)', getMessageVal)
end
p.message = message
local function makeWikilink(page, display)
if display then
return mw.ustring.format('[[%s|%s]]', page, display)
else
return mw.ustring.format('[[%s]]', page)
end
end
p.makeWikilink = makeWikilink
local function makeCategoryLink(cat, sort)
local catns = mw.site.namespaces[14].name
return makeWikilink(catns .. ':' .. cat, sort)
end
p.makeCategoryLink = makeCategoryLink
local function makeUrlLink(url, display)
return mw.ustring.format('[%s %s]', url, display)
end
p.makeUrlLink = makeUrlLink
local function makeToolbar(...)
local ret = {}
local lim = select('#', ...)
if lim < 1 then
return nil
end
for i = 1, lim do
ret[#ret + 1] = select(i, ...)
end
-- 'documentation-toolbar'
return '<span class="' .. message('toolbar-class') .. '">('
.. table.concat(ret, ' | ') .. ')</span>'
end
p.makeToolbar = makeToolbar
----------------------------------------------------------------------------
-- Argument processing
----------------------------------------------------------------------------
local function makeInvokeFunc(funcName)
return function (frame)
local args = getArgs(frame, {
valueFunc = function (key, value)
if type(value) == 'string' then
value = value:match('^%s*(.-)%s*$') -- Remove whitespace.
if key == 'heading' or value ~= '' then
return value
else
return nil
end
else
return value
end
end
})
return p[funcName](args)
end
end
----------------------------------------------------------------------------
-- Entry points
----------------------------------------------------------------------------
function p.nonexistent(frame)
if mw.title.getCurrentTitle().subpageText == 'testcases' then
return frame:expandTemplate{title = 'module test cases notice'}
else
return p.main(frame)
end
end
p.main = makeInvokeFunc('_main')
function p._main(args)
--[[
-- This function defines logic flow for the module.
-- @args - table of arguments passed by the user
--]]
local env = p.getEnvironment(args)
local root = mw.html.create()
root
:tag('div')
-- 'documentation-container'
:addClass(message('container'))
:attr('role', 'complementary')
:attr('aria-labelledby', args.heading ~= '' and 'documentation-heading' or nil)
:attr('aria-label', args.heading == '' and 'Documentation' or nil)
:newline()
:tag('div')
-- 'documentation'
:addClass(message('main-div-classes'))
:newline()
:wikitext(p._startBox(args, env))
:wikitext(p._content(args, env))
:tag('div')
-- 'documentation-clear'
:addClass(message('clear'))
:done()
:newline()
:done()
:wikitext(p._endBox(args, env))
:done()
:wikitext(p.addTrackingCategories(env))
-- 'Module:Documentation/styles.css'
return mw.getCurrentFrame():extensionTag (
'templatestyles', '', {src=cfg['templatestyles']
}) .. tostring(root)
end
----------------------------------------------------------------------------
-- Environment settings
----------------------------------------------------------------------------
function p.getEnvironment(args)
--[[
-- Returns a table with information about the environment, including title
-- objects and other namespace- or path-related data.
-- @args - table of arguments passed by the user
--
-- Title objects include:
-- env.title - the page we are making documentation for (usually the current title)
-- env.templateTitle - the template (or module, file, etc.)
-- env.docTitle - the /doc subpage.
-- env.sandboxTitle - the /sandbox subpage.
-- env.testcasesTitle - the /testcases subpage.
--
-- Data includes:
-- env.subjectSpace - the number of the title's subject namespace.
-- env.docSpace - the number of the namespace the title puts its documentation in.
-- env.docpageBase - the text of the base page of the /doc, /sandbox and /testcases pages, with namespace.
-- env.compareUrl - URL of the Special:ComparePages page comparing the sandbox with the template.
--
-- All table lookups are passed through pcall so that errors are caught. If an error occurs, the value
-- returned will be nil.
--]]
local env, envFuncs = {}, {}
-- Set up the metatable. If triggered we call the corresponding function in the envFuncs table. The value
-- returned by that function is memoized in the env table so that we don't call any of the functions
-- more than once. (Nils won't be memoized.)
setmetatable(env, {
__index = function (t, key)
local envFunc = envFuncs[key]
if envFunc then
local success, val = pcall(envFunc)
if success then
env[key] = val -- Memoise the value.
return val
end
end
return nil
end
})
function envFuncs.title()
-- The title object for the current page, or a test page passed with args.page.
local title
local titleArg = args.page
if titleArg then
title = mw.title.new(titleArg)
else
title = mw.title.getCurrentTitle()
end
return title
end
function envFuncs.templateTitle()
--[[
-- The template (or module, etc.) title object.
-- Messages:
-- 'sandbox-subpage' --> 'sandbox'
-- 'testcases-subpage' --> 'testcases'
--]]
local subjectSpace = env.subjectSpace
local title = env.title
local subpage = title.subpageText
if subpage == message('sandbox-subpage') or subpage == message('testcases-subpage') then
return mw.title.makeTitle(subjectSpace, title.baseText)
else
return mw.title.makeTitle(subjectSpace, title.text)
end
end
function envFuncs.docTitle()
--[[
-- Title object of the /doc subpage.
-- Messages:
-- 'doc-subpage' --> 'doc'
--]]
local title = env.title
local docname = args[1] -- User-specified doc page.
local docpage
if docname then
docpage = docname
else
docpage = env.docpageBase .. '/' .. message('doc-subpage')
end
return mw.title.new(docpage)
end
function envFuncs.sandboxTitle()
--[[
-- Title object for the /sandbox subpage.
-- Messages:
-- 'sandbox-subpage' --> 'sandbox'
--]]
return mw.title.new(env.docpageBase .. '/' .. message('sandbox-subpage'))
end
function envFuncs.testcasesTitle()
--[[
-- Title object for the /testcases subpage.
-- Messages:
-- 'testcases-subpage' --> 'testcases'
--]]
return mw.title.new(env.docpageBase .. '/' .. message('testcases-subpage'))
end
function envFuncs.subjectSpace()
-- The subject namespace number.
return mw.site.namespaces[env.title.namespace].subject.id
end
function envFuncs.docSpace()
-- The documentation namespace number. For most namespaces this is the
-- same as the subject namespace. However, pages in the Article, File,
-- MediaWiki or Category namespaces must have their /doc, /sandbox and
-- /testcases pages in talk space.
local subjectSpace = env.subjectSpace
if subjectSpace == 0 or subjectSpace == 6 or subjectSpace == 8 or subjectSpace == 14 then
return subjectSpace + 1
else
return subjectSpace
end
end
function envFuncs.docpageBase()
-- The base page of the /doc, /sandbox, and /testcases subpages.
-- For some namespaces this is the talk page, rather than the template page.
local templateTitle = env.templateTitle
local docSpace = env.docSpace
local docSpaceText = mw.site.namespaces[docSpace].name
-- Assemble the link. docSpace is never the main namespace, so we can hardcode the colon.
return docSpaceText .. ':' .. templateTitle.text
end
function envFuncs.compareUrl()
-- Diff link between the sandbox and the main template using [[Special:ComparePages]].
local templateTitle = env.templateTitle
local sandboxTitle = env.sandboxTitle
if templateTitle.exists and sandboxTitle.exists then
local compareUrl = mw.uri.fullUrl(
'Special:ComparePages',
{ page1 = templateTitle.prefixedText, page2 = sandboxTitle.prefixedText}
)
return tostring(compareUrl)
else
return nil
end
end
return env
end
----------------------------------------------------------------------------
-- Start box
----------------------------------------------------------------------------
p.startBox = makeInvokeFunc('_startBox')
function p._startBox(args, env)
--[[
-- This function generates the start box.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- The actual work is done by p.makeStartBoxLinksData and p.renderStartBoxLinks which make
-- the [view] [edit] [history] [purge] links, and by p.makeStartBoxData and p.renderStartBox
-- which generate the box HTML.
--]]
env = env or p.getEnvironment(args)
local links
local content = args.content
if not content or args[1] then
-- No need to include the links if the documentation is on the template page itself.
local linksData = p.makeStartBoxLinksData(args, env)
if linksData then
links = p.renderStartBoxLinks(linksData)
end
end
-- Generate the start box html.
local data = p.makeStartBoxData(args, env, links)
if data then
return p.renderStartBox(data)
else
-- User specified no heading.
return nil
end
end
function p.makeStartBoxLinksData(args, env)
--[[
-- Does initial processing of data to make the [view] [edit] [history] [purge] links.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- Messages:
-- 'view-link-display' --> 'view'
-- 'edit-link-display' --> 'edit'
-- 'history-link-display' --> 'history'
-- 'purge-link-display' --> 'purge'
-- 'module-preload' --> 'Template:Documentation/preload-module-doc'
-- 'docpage-preload' --> 'Template:Documentation/preload'
-- 'create-link-display' --> 'create'
--]]
local subjectSpace = env.subjectSpace
local title = env.title
local docTitle = env.docTitle
if not title or not docTitle then
return nil
end
if docTitle.isRedirect then
docTitle = docTitle.redirectTarget
end
local data = {}
data.title = title
data.docTitle = docTitle
-- View, display, edit, and purge links if /doc exists.
data.viewLinkDisplay = message('view-link-display')
data.editLinkDisplay = message('edit-link-display')
data.historyLinkDisplay = message('history-link-display')
data.purgeLinkDisplay = message('purge-link-display')
-- Create link if /doc doesn't exist.
local preload = args.preload
if not preload then
if subjectSpace == 828 then -- Module namespace
preload = message('module-preload')
else
preload = message('docpage-preload')
end
end
data.preload = preload
data.createLinkDisplay = message('create-link-display')
return data
end
function p.renderStartBoxLinks(data)
--[[
-- Generates the [view][edit][history][purge] or [create][purge] links from the data table.
-- @data - a table of data generated by p.makeStartBoxLinksData
--]]
local function escapeBrackets(s)
-- Escapes square brackets with HTML entities.
s = s:gsub('%[', '[') -- Replace square brackets with HTML entities.
s = s:gsub('%]', ']')
return s
end
local ret
local docTitle = data.docTitle
local title = data.title
local purgeLink = makeUrlLink(title:fullUrl{action = 'purge'}, data.purgeLinkDisplay)
if docTitle.exists then
local viewLink = makeWikilink(docTitle.prefixedText, data.viewLinkDisplay)
local editLink = makeUrlLink(docTitle:fullUrl{action = 'edit'}, data.editLinkDisplay)
local historyLink = makeUrlLink(docTitle:fullUrl{action = 'history'}, data.historyLinkDisplay)
ret = '[%s] [%s] [%s] [%s]'
ret = escapeBrackets(ret)
ret = mw.ustring.format(ret, viewLink, editLink, historyLink, purgeLink)
else
local createLink = makeUrlLink(docTitle:fullUrl{action = 'edit', preload = data.preload}, data.createLinkDisplay)
ret = '[%s] [%s]'
ret = escapeBrackets(ret)
ret = mw.ustring.format(ret, createLink, purgeLink)
end
return ret
end
function p.makeStartBoxData(args, env, links)
--[=[
-- Does initial processing of data to pass to the start-box render function, p.renderStartBox.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
-- @links - a string containing the [view][edit][history][purge] links - could be nil if there's an error.
--
-- Messages:
-- 'documentation-icon-wikitext' --> '[[File:Test Template Info-Icon - Version (2).svg|50px|link=|alt=]]'
-- 'template-namespace-heading' --> 'Template documentation'
-- 'module-namespace-heading' --> 'Module documentation'
-- 'file-namespace-heading' --> 'Summary'
-- 'other-namespaces-heading' --> 'Documentation'
-- 'testcases-create-link-display' --> 'create'
--]=]
local subjectSpace = env.subjectSpace
if not subjectSpace then
-- Default to an "other namespaces" namespace, so that we get at least some output
-- if an error occurs.
subjectSpace = 2
end
local data = {}
-- Heading
local heading = args.heading -- Blank values are not removed.
if heading == '' then
-- Don't display the start box if the heading arg is defined but blank.
return nil
end
if heading then
data.heading = heading
elseif subjectSpace == 10 then -- Template namespace
data.heading = message('documentation-icon-wikitext') .. ' ' .. message('template-namespace-heading')
elseif subjectSpace == 828 then -- Module namespace
data.heading = message('documentation-icon-wikitext') .. ' ' .. message('module-namespace-heading')
elseif subjectSpace == 6 then -- File namespace
data.heading = message('file-namespace-heading')
else
data.heading = message('other-namespaces-heading')
end
-- Heading CSS
local headingStyle = args['heading-style']
if headingStyle then
data.headingStyleText = headingStyle
else
-- 'documentation-heading'
data.headingClass = message('main-div-heading-class')
end
-- Data for the [view][edit][history][purge] or [create] links.
if links then
-- 'mw-editsection-like plainlinks'
data.linksClass = message('start-box-link-classes')
data.links = links
end
return data
end
function p.renderStartBox(data)
-- Renders the start box html.
-- @data - a table of data generated by p.makeStartBoxData.
local sbox = mw.html.create('div')
sbox
-- 'documentation-startbox'
:addClass(message('start-box-class'))
:newline()
:tag('span')
:addClass(data.headingClass)
:attr('id', 'documentation-heading')
:cssText(data.headingStyleText)
:wikitext(data.heading)
local links = data.links
if links then
sbox:tag('span')
:addClass(data.linksClass)
:attr('id', data.linksId)
:wikitext(links)
end
return tostring(sbox)
end
----------------------------------------------------------------------------
-- Documentation content
----------------------------------------------------------------------------
p.content = makeInvokeFunc('_content')
function p._content(args, env)
-- Displays the documentation contents
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
env = env or p.getEnvironment(args)
local docTitle = env.docTitle
local content = args.content
if not content and docTitle and docTitle.exists then
content = args._content or mw.getCurrentFrame():expandTemplate{title = docTitle.prefixedText}
end
-- The line breaks below are necessary so that "=== Headings ===" at the start and end
-- of docs are interpreted correctly.
return '\n' .. (content or '') .. '\n'
end
p.contentTitle = makeInvokeFunc('_contentTitle')
function p._contentTitle(args, env)
env = env or p.getEnvironment(args)
local docTitle = env.docTitle
if not args.content and docTitle and docTitle.exists then
return docTitle.prefixedText
else
return ''
end
end
----------------------------------------------------------------------------
-- End box
----------------------------------------------------------------------------
p.endBox = makeInvokeFunc('_endBox')
function p._endBox(args, env)
--[=[
-- This function generates the end box (also known as the link box).
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
--]=]
-- Get environment data.
env = env or p.getEnvironment(args)
local subjectSpace = env.subjectSpace
local docTitle = env.docTitle
if not subjectSpace or not docTitle then
return nil
end
-- Check whether we should output the end box at all. Add the end
-- box by default if the documentation exists or if we are in the
-- user, module or template namespaces.
local linkBox = args['link box']
if linkBox == 'off'
or not (
docTitle.exists
or subjectSpace == 2
or subjectSpace == 828
or subjectSpace == 10
)
then
return nil
end
-- Assemble the link box.
local text = ''
if linkBox then
text = text .. linkBox
else
text = text .. (p.makeDocPageBlurb(args, env) or '') -- "This documentation is transcluded from [[Foo]]."
if subjectSpace == 2 or subjectSpace == 10 or subjectSpace == 828 then
-- We are in the user, template or module namespaces.
-- Add sandbox and testcases links.
-- "Editors can experiment in this template's sandbox and testcases pages."
text = text .. (p.makeExperimentBlurb(args, env) or '') .. '<br />'
if not args.content and not args[1] then
-- "Please add categories to the /doc subpage."
-- Don't show this message with inline docs or with an explicitly specified doc page,
-- as then it is unclear where to add the categories.
text = text .. (p.makeCategoriesBlurb(args, env) or '')
end
text = text .. ' ' .. (p.makeSubpagesBlurb(args, env) or '') --"Subpages of this template"
end
end
local box = mw.html.create('div')
-- 'documentation-metadata'
box:attr('role', 'note')
:addClass(message('end-box-class'))
-- 'plainlinks'
:addClass(message('end-box-plainlinks'))
:wikitext(text)
:done()
return '\n' .. tostring(box)
end
function p.makeDocPageBlurb(args, env)
--[=[
-- Makes the blurb "This documentation is transcluded from [[Template:Foo]] (edit, history)".
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- Messages:
-- 'edit-link-display' --> 'edit'
-- 'history-link-display' --> 'history'
-- 'transcluded-from-blurb' -->
-- 'The above [[Wikipedia:Template documentation|documentation]]
-- is [[Help:Transclusion|transcluded]] from $1.'
-- 'module-preload' --> 'Template:Documentation/preload-module-doc'
-- 'create-link-display' --> 'create'
-- 'create-module-doc-blurb' -->
-- 'You might want to $1 a documentation page for this [[Wikipedia:Lua|Scribunto module]].'
--]=]
local docTitle = env.docTitle
if not docTitle then
return nil
end
local ret
if docTitle.exists then
-- /doc exists; link to it.
local docLink = makeWikilink(docTitle.prefixedText)
local editUrl = docTitle:fullUrl{action = 'edit'}
local editDisplay = message('edit-link-display')
local editLink = makeUrlLink(editUrl, editDisplay)
local historyUrl = docTitle:fullUrl{action = 'history'}
local historyDisplay = message('history-link-display')
local historyLink = makeUrlLink(historyUrl, historyDisplay)
ret = message('transcluded-from-blurb', {docLink})
.. ' '
.. makeToolbar(editLink, historyLink)
.. '<br />'
elseif env.subjectSpace == 828 then
-- /doc does not exist; ask to create it.
local createUrl = docTitle:fullUrl{action = 'edit', preload = message('module-preload')}
local createDisplay = message('create-link-display')
local createLink = makeUrlLink(createUrl, createDisplay)
ret = message('create-module-doc-blurb', {createLink})
.. '<br />'
end
return ret
end
function p.makeExperimentBlurb(args, env)
--[[
-- Renders the text "Editors can experiment in this template's sandbox (edit | diff) and testcases (edit) pages."
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
--
-- Messages:
-- 'sandbox-link-display' --> 'sandbox'
-- 'sandbox-edit-link-display' --> 'edit'
-- 'compare-link-display' --> 'diff'
-- 'module-sandbox-preload' --> 'Template:Documentation/preload-module-sandbox'
-- 'template-sandbox-preload' --> 'Template:Documentation/preload-sandbox'
-- 'sandbox-create-link-display' --> 'create'
-- 'mirror-edit-summary' --> 'Create sandbox version of $1'
-- 'mirror-link-display' --> 'mirror'
-- 'mirror-link-preload' --> 'Template:Documentation/mirror'
-- 'sandbox-link-display' --> 'sandbox'
-- 'testcases-link-display' --> 'testcases'
-- 'testcases-edit-link-display'--> 'edit'
-- 'template-sandbox-preload' --> 'Template:Documentation/preload-sandbox'
-- 'testcases-create-link-display' --> 'create'
-- 'testcases-link-display' --> 'testcases'
-- 'testcases-edit-link-display' --> 'edit'
-- 'module-testcases-preload' --> 'Template:Documentation/preload-module-testcases'
-- 'template-testcases-preload' --> 'Template:Documentation/preload-testcases'
-- 'experiment-blurb-module' --> 'Editors can experiment in this module's $1 and $2 pages.'
-- 'experiment-blurb-template' --> 'Editors can experiment in this template's $1 and $2 pages.'
--]]
local subjectSpace = env.subjectSpace
local templateTitle = env.templateTitle
local sandboxTitle = env.sandboxTitle
local testcasesTitle = env.testcasesTitle
local templatePage = templateTitle.prefixedText
if not subjectSpace or not templateTitle or not sandboxTitle or not testcasesTitle then
return nil
end
-- Make links.
local sandboxLinks, testcasesLinks
if sandboxTitle.exists then
local sandboxPage = sandboxTitle.prefixedText
local sandboxDisplay = message('sandbox-link-display')
local sandboxLink = makeWikilink(sandboxPage, sandboxDisplay)
local sandboxEditUrl = sandboxTitle:fullUrl{action = 'edit'}
local sandboxEditDisplay = message('sandbox-edit-link-display')
local sandboxEditLink = makeUrlLink(sandboxEditUrl, sandboxEditDisplay)
local compareUrl = env.compareUrl
local compareLink
if compareUrl then
local compareDisplay = message('compare-link-display')
compareLink = makeUrlLink(compareUrl, compareDisplay)
end
sandboxLinks = sandboxLink .. ' ' .. makeToolbar(sandboxEditLink, compareLink)
else
local sandboxPreload
if subjectSpace == 828 then
sandboxPreload = message('module-sandbox-preload')
else
sandboxPreload = message('template-sandbox-preload')
end
local sandboxCreateUrl = sandboxTitle:fullUrl{action = 'edit', preload = sandboxPreload}
local sandboxCreateDisplay = message('sandbox-create-link-display')
local sandboxCreateLink = makeUrlLink(sandboxCreateUrl, sandboxCreateDisplay)
local mirrorSummary = message('mirror-edit-summary', {makeWikilink(templatePage)})
local mirrorPreload = message('mirror-link-preload')
local mirrorUrl = sandboxTitle:fullUrl{action = 'edit', preload = mirrorPreload, summary = mirrorSummary}
if subjectSpace == 828 then
mirrorUrl = sandboxTitle:fullUrl{action = 'edit', preload = templateTitle.prefixedText, summary = mirrorSummary}
end
local mirrorDisplay = message('mirror-link-display')
local mirrorLink = makeUrlLink(mirrorUrl, mirrorDisplay)
sandboxLinks = message('sandbox-link-display') .. ' ' .. makeToolbar(sandboxCreateLink, mirrorLink)
end
if testcasesTitle.exists then
local testcasesPage = testcasesTitle.prefixedText
local testcasesDisplay = message('testcases-link-display')
local testcasesLink = makeWikilink(testcasesPage, testcasesDisplay)
local testcasesEditUrl = testcasesTitle:fullUrl{action = 'edit'}
local testcasesEditDisplay = message('testcases-edit-link-display')
local testcasesEditLink = makeUrlLink(testcasesEditUrl, testcasesEditDisplay)
-- for Modules, add testcases run link if exists
if testcasesTitle.contentModel == "Scribunto" and testcasesTitle.talkPageTitle and testcasesTitle.talkPageTitle.exists then
local testcasesRunLinkDisplay = message('testcases-run-link-display')
local testcasesRunLink = makeWikilink(testcasesTitle.talkPageTitle.prefixedText, testcasesRunLinkDisplay)
testcasesLinks = testcasesLink .. ' ' .. makeToolbar(testcasesEditLink, testcasesRunLink)
else
testcasesLinks = testcasesLink .. ' ' .. makeToolbar(testcasesEditLink)
end
else
local testcasesPreload
if subjectSpace == 828 then
testcasesPreload = message('module-testcases-preload')
else
testcasesPreload = message('template-testcases-preload')
end
local testcasesCreateUrl = testcasesTitle:fullUrl{action = 'edit', preload = testcasesPreload}
local testcasesCreateDisplay = message('testcases-create-link-display')
local testcasesCreateLink = makeUrlLink(testcasesCreateUrl, testcasesCreateDisplay)
testcasesLinks = message('testcases-link-display') .. ' ' .. makeToolbar(testcasesCreateLink)
end
local messageName
if subjectSpace == 828 then
messageName = 'experiment-blurb-module'
else
messageName = 'experiment-blurb-template'
end
return message(messageName, {sandboxLinks, testcasesLinks})
end
function p.makeCategoriesBlurb(args, env)
--[[
-- Generates the text "Please add categories to the /doc subpage."
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
-- Messages:
-- 'doc-link-display' --> '/doc'
-- 'add-categories-blurb' --> 'Please add categories to the $1 subpage.'
--]]
local docTitle = env.docTitle
if not docTitle then
return nil
end
local docPathLink = makeWikilink(docTitle.prefixedText, message('doc-link-display'))
return message('add-categories-blurb', {docPathLink})
end
function p.makeSubpagesBlurb(args, env)
--[[
-- Generates the "Subpages of this template" link.
-- @args - a table of arguments passed by the user
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
-- Messages:
-- 'template-pagetype' --> 'template'
-- 'module-pagetype' --> 'module'
-- 'default-pagetype' --> 'page'
-- 'subpages-link-display' --> 'Subpages of this $1'
--]]
local subjectSpace = env.subjectSpace
local templateTitle = env.templateTitle
if not subjectSpace or not templateTitle then
return nil
end
local pagetype
if subjectSpace == 10 then
pagetype = message('template-pagetype')
elseif subjectSpace == 828 then
pagetype = message('module-pagetype')
else
pagetype = message('default-pagetype')
end
local subpagesLink = makeWikilink(
'Special:PrefixIndex/' .. templateTitle.prefixedText .. '/',
message('subpages-link-display', {pagetype})
)
return message('subpages-blurb', {subpagesLink})
end
----------------------------------------------------------------------------
-- Tracking categories
----------------------------------------------------------------------------
function p.addTrackingCategories(env)
--[[
-- Check if {{documentation}} is transcluded on a /doc or /testcases page.
-- @env - environment table containing title objects, etc., generated with p.getEnvironment
-- Messages:
-- 'display-strange-usage-category' --> true
-- 'doc-subpage' --> 'doc'
-- 'testcases-subpage' --> 'testcases'
-- 'strange-usage-category' --> 'Wikipedia pages with strange ((documentation)) usage'
--
-- /testcases pages in the module namespace are not categorised, as they may have
-- {{documentation}} transcluded automatically.
--]]
local title = env.title
local subjectSpace = env.subjectSpace
if not title or not subjectSpace then
return nil
end
local subpage = title.subpageText
local ret = ''
if message('display-strange-usage-category', nil, 'boolean')
and (
subpage == message('doc-subpage')
or subjectSpace ~= 828 and subpage == message('testcases-subpage')
)
then
ret = ret .. makeCategoryLink(message('strange-usage-category'))
end
return ret
end
return p
78cc3a78f2b5dbb267fa16027c0800a22dbd3c42
Module:Arguments
828
407
673
2022-09-30T02:32:01Z
Pppery
10
24 revisions imported from [[:wikipedia:Module:Arguments]]
Scribunto
text/plain
-- This module provides easy processing of arguments passed to Scribunto from
-- #invoke. It is intended for use by other Lua modules, and should not be
-- called from #invoke directly.
local libraryUtil = require('libraryUtil')
local checkType = libraryUtil.checkType
local arguments = {}
-- Generate four different tidyVal functions, so that we don't have to check the
-- options every time we call it.
local function tidyValDefault(key, val)
if type(val) == 'string' then
val = val:match('^%s*(.-)%s*$')
if val == '' then
return nil
else
return val
end
else
return val
end
end
local function tidyValTrimOnly(key, val)
if type(val) == 'string' then
return val:match('^%s*(.-)%s*$')
else
return val
end
end
local function tidyValRemoveBlanksOnly(key, val)
if type(val) == 'string' then
if val:find('%S') then
return val
else
return nil
end
else
return val
end
end
local function tidyValNoChange(key, val)
return val
end
local function matchesTitle(given, title)
local tp = type( given )
return (tp == 'string' or tp == 'number') and mw.title.new( given ).prefixedText == title
end
local translate_mt = { __index = function(t, k) return k end }
function arguments.getArgs(frame, options)
checkType('getArgs', 1, frame, 'table', true)
checkType('getArgs', 2, options, 'table', true)
frame = frame or {}
options = options or {}
--[[
-- Set up argument translation.
--]]
options.translate = options.translate or {}
if getmetatable(options.translate) == nil then
setmetatable(options.translate, translate_mt)
end
if options.backtranslate == nil then
options.backtranslate = {}
for k,v in pairs(options.translate) do
options.backtranslate[v] = k
end
end
if options.backtranslate and getmetatable(options.backtranslate) == nil then
setmetatable(options.backtranslate, {
__index = function(t, k)
if options.translate[k] ~= k then
return nil
else
return k
end
end
})
end
--[[
-- Get the argument tables. If we were passed a valid frame object, get the
-- frame arguments (fargs) and the parent frame arguments (pargs), depending
-- on the options set and on the parent frame's availability. If we weren't
-- passed a valid frame object, we are being called from another Lua module
-- or from the debug console, so assume that we were passed a table of args
-- directly, and assign it to a new variable (luaArgs).
--]]
local fargs, pargs, luaArgs
if type(frame.args) == 'table' and type(frame.getParent) == 'function' then
if options.wrappers then
--[[
-- The wrappers option makes Module:Arguments look up arguments in
-- either the frame argument table or the parent argument table, but
-- not both. This means that users can use either the #invoke syntax
-- or a wrapper template without the loss of performance associated
-- with looking arguments up in both the frame and the parent frame.
-- Module:Arguments will look up arguments in the parent frame
-- if it finds the parent frame's title in options.wrapper;
-- otherwise it will look up arguments in the frame object passed
-- to getArgs.
--]]
local parent = frame:getParent()
if not parent then
fargs = frame.args
else
local title = parent:getTitle():gsub('/sandbox$', '')
local found = false
if matchesTitle(options.wrappers, title) then
found = true
elseif type(options.wrappers) == 'table' then
for _,v in pairs(options.wrappers) do
if matchesTitle(v, title) then
found = true
break
end
end
end
-- We test for false specifically here so that nil (the default) acts like true.
if found or options.frameOnly == false then
pargs = parent.args
end
if not found or options.parentOnly == false then
fargs = frame.args
end
end
else
-- options.wrapper isn't set, so check the other options.
if not options.parentOnly then
fargs = frame.args
end
if not options.frameOnly then
local parent = frame:getParent()
pargs = parent and parent.args or nil
end
end
if options.parentFirst then
fargs, pargs = pargs, fargs
end
else
luaArgs = frame
end
-- Set the order of precedence of the argument tables. If the variables are
-- nil, nothing will be added to the table, which is how we avoid clashes
-- between the frame/parent args and the Lua args.
local argTables = {fargs}
argTables[#argTables + 1] = pargs
argTables[#argTables + 1] = luaArgs
--[[
-- Generate the tidyVal function. If it has been specified by the user, we
-- use that; if not, we choose one of four functions depending on the
-- options chosen. This is so that we don't have to call the options table
-- every time the function is called.
--]]
local tidyVal = options.valueFunc
if tidyVal then
if type(tidyVal) ~= 'function' then
error(
"bad value assigned to option 'valueFunc'"
.. '(function expected, got '
.. type(tidyVal)
.. ')',
2
)
end
elseif options.trim ~= false then
if options.removeBlanks ~= false then
tidyVal = tidyValDefault
else
tidyVal = tidyValTrimOnly
end
else
if options.removeBlanks ~= false then
tidyVal = tidyValRemoveBlanksOnly
else
tidyVal = tidyValNoChange
end
end
--[[
-- Set up the args, metaArgs and nilArgs tables. args will be the one
-- accessed from functions, and metaArgs will hold the actual arguments. Nil
-- arguments are memoized in nilArgs, and the metatable connects all of them
-- together.
--]]
local args, metaArgs, nilArgs, metatable = {}, {}, {}, {}
setmetatable(args, metatable)
local function mergeArgs(tables)
--[[
-- Accepts multiple tables as input and merges their keys and values
-- into one table. If a value is already present it is not overwritten;
-- tables listed earlier have precedence. We are also memoizing nil
-- values, which can be overwritten if they are 's' (soft).
--]]
for _, t in ipairs(tables) do
for key, val in pairs(t) do
if metaArgs[key] == nil and nilArgs[key] ~= 'h' then
local tidiedVal = tidyVal(key, val)
if tidiedVal == nil then
nilArgs[key] = 's'
else
metaArgs[key] = tidiedVal
end
end
end
end
end
--[[
-- Define metatable behaviour. Arguments are memoized in the metaArgs table,
-- and are only fetched from the argument tables once. Fetching arguments
-- from the argument tables is the most resource-intensive step in this
-- module, so we try and avoid it where possible. For this reason, nil
-- arguments are also memoized, in the nilArgs table. Also, we keep a record
-- in the metatable of when pairs and ipairs have been called, so we do not
-- run pairs and ipairs on the argument tables more than once. We also do
-- not run ipairs on fargs and pargs if pairs has already been run, as all
-- the arguments will already have been copied over.
--]]
metatable.__index = function (t, key)
--[[
-- Fetches an argument when the args table is indexed. First we check
-- to see if the value is memoized, and if not we try and fetch it from
-- the argument tables. When we check memoization, we need to check
-- metaArgs before nilArgs, as both can be non-nil at the same time.
-- If the argument is not present in metaArgs, we also check whether
-- pairs has been run yet. If pairs has already been run, we return nil.
-- This is because all the arguments will have already been copied into
-- metaArgs by the mergeArgs function, meaning that any other arguments
-- must be nil.
--]]
if type(key) == 'string' then
key = options.translate[key]
end
local val = metaArgs[key]
if val ~= nil then
return val
elseif metatable.donePairs or nilArgs[key] then
return nil
end
for _, argTable in ipairs(argTables) do
local argTableVal = tidyVal(key, argTable[key])
if argTableVal ~= nil then
metaArgs[key] = argTableVal
return argTableVal
end
end
nilArgs[key] = 'h'
return nil
end
metatable.__newindex = function (t, key, val)
-- This function is called when a module tries to add a new value to the
-- args table, or tries to change an existing value.
if type(key) == 'string' then
key = options.translate[key]
end
if options.readOnly then
error(
'could not write to argument table key "'
.. tostring(key)
.. '"; the table is read-only',
2
)
elseif options.noOverwrite and args[key] ~= nil then
error(
'could not write to argument table key "'
.. tostring(key)
.. '"; overwriting existing arguments is not permitted',
2
)
elseif val == nil then
--[[
-- If the argument is to be overwritten with nil, we need to erase
-- the value in metaArgs, so that __index, __pairs and __ipairs do
-- not use a previous existing value, if present; and we also need
-- to memoize the nil in nilArgs, so that the value isn't looked
-- up in the argument tables if it is accessed again.
--]]
metaArgs[key] = nil
nilArgs[key] = 'h'
else
metaArgs[key] = val
end
end
local function translatenext(invariant)
local k, v = next(invariant.t, invariant.k)
invariant.k = k
if k == nil then
return nil
elseif type(k) ~= 'string' or not options.backtranslate then
return k, v
else
local backtranslate = options.backtranslate[k]
if backtranslate == nil then
-- Skip this one. This is a tail call, so this won't cause stack overflow
return translatenext(invariant)
else
return backtranslate, v
end
end
end
metatable.__pairs = function ()
-- Called when pairs is run on the args table.
if not metatable.donePairs then
mergeArgs(argTables)
metatable.donePairs = true
end
return translatenext, { t = metaArgs }
end
local function inext(t, i)
-- This uses our __index metamethod
local v = t[i + 1]
if v ~= nil then
return i + 1, v
end
end
metatable.__ipairs = function (t)
-- Called when ipairs is run on the args table.
return inext, t, 0
end
return args
end
return arguments
3134ecce8429b810d445e29eae115e2ae4c36c53
Module:Documentation subpage
828
409
677
2022-10-01T17:51:17Z
Pppery
10
wikitext
text/x-wiki
<includeonly><!--
-->{{#ifeq:{{lc:{{SUBPAGENAME}}}} |{{{override|doc}}}
| <!--(this template has been transcluded on a /doc or /{{{override}}} page)-->
</includeonly><!--
-->{{#ifeq:{{{doc-notice|show}}} |show
| {{Mbox
| type = notice
| style = margin-bottom:1.0em;
| image = [[File:Edit-copy green.svg|40px|alt=|link=]]
| text =
'''This is a documentation subpage''' for '''{{{1|[[:{{SUBJECTSPACE}}:{{BASEPAGENAME}}]]}}}'''.<br/> It contains usage information, [[mw:Help:Categories|categories]] and other content that is not part of the original {{#if:{{{text2|}}} |{{{text2}}} |{{#if:{{{text1|}}} |{{{text1}}} | page}}}}.
}}
}}<!--
-->{{DEFAULTSORT:{{{defaultsort|{{PAGENAME}}}}}}}<!--
-->{{#if:{{{inhibit|}}} |<!--(don't categorize)-->
| <includeonly><!--
-->{{#ifexist:{{NAMESPACE}}:{{BASEPAGENAME}}
| [[Category:{{#switch:{{SUBJECTSPACE}} |Template=Template |Module=Module |User=User |#default=Wikipedia}} documentation pages]]
| [[Category:Documentation subpages without corresponding pages]]
}}<!--
--></includeonly>
}}<!--
(completing initial #ifeq: at start of template:)
--><includeonly>
| <!--(this template has not been transcluded on a /doc or /{{{override}}} page)-->
}}<!--
--></includeonly><noinclude>{{Documentation}}</noinclude>
471e685c1c643a5c6272e20e49824fffebad0448
Template:Plainlist/styles.css
10
395
652
2022-12-11T06:59:53Z
w>Izno
0
add this reset from mobile.css
text
text/plain
/* {{pp-template|small=yes}} */
.plainlist ol,
.plainlist ul {
line-height: inherit;
list-style: none;
margin: 0;
padding: 0; /* Reset Minerva default */
}
.plainlist ol li,
.plainlist ul li {
margin-bottom: 0;
}
51706efa229ff8794c0d94f260a208e7c5e6ec30
Module:Shortcut
828
416
696
2022-12-13T23:41:34Z
w>Izno
0
use module:list for plainlist, move templatestyles to module space
Scribunto
text/plain
-- This module implements {{shortcut}}.
-- Set constants
local CONFIG_MODULE = 'Module:Shortcut/config'
-- Load required modules
local checkType = require('libraryUtil').checkType
local yesno = require('Module:Yesno')
local p = {}
local function message(msg, ...)
return mw.message.newRawMessage(msg, ...):plain()
end
local function makeCategoryLink(cat)
return string.format('[[%s:%s]]', mw.site.namespaces[14].name, cat)
end
function p._main(shortcuts, options, frame, cfg)
checkType('_main', 1, shortcuts, 'table')
checkType('_main', 2, options, 'table', true)
options = options or {}
frame = frame or mw.getCurrentFrame()
cfg = cfg or mw.loadData(CONFIG_MODULE)
local templateMode = options.template and yesno(options.template)
local redirectMode = options.redirect and yesno(options.redirect)
local isCategorized = not options.category or yesno(options.category) ~= false
-- Validate shortcuts
for i, shortcut in ipairs(shortcuts) do
if type(shortcut) ~= 'string' or #shortcut < 1 then
error(message(cfg['invalid-shortcut-error'], i), 2)
end
end
-- Make the list items. These are the shortcuts plus any extra lines such
-- as options.msg.
local listItems = {}
for i, shortcut in ipairs(shortcuts) do
local templatePath, prefix
if templateMode then
-- Namespace detection
local titleObj = mw.title.new(shortcut, 10)
if titleObj.namespace == 10 then
templatePath = titleObj.fullText
else
templatePath = shortcut
end
prefix = options['pre' .. i] or options.pre or ''
end
if options.target and yesno(options.target) then
listItems[i] = templateMode
and string.format("{{%s[[%s|%s]]}}", prefix, templatePath, shortcut)
or string.format("[[%s]]", shortcut)
else
listItems[i] = frame:expandTemplate{
title = 'No redirect',
args = templateMode and {templatePath, shortcut} or {shortcut, shortcut}
}
if templateMode then
listItems[i] = string.format("{{%s%s}}", prefix, listItems[i])
end
end
end
table.insert(listItems, options.msg)
-- Return an error if we have nothing to display
if #listItems < 1 then
local msg = cfg['no-content-error']
msg = string.format('<strong class="error">%s</strong>', msg)
if isCategorized and cfg['no-content-error-category'] then
msg = msg .. makeCategoryLink(cfg['no-content-error-category'])
end
return msg
end
local root = mw.html.create()
root:wikitext(frame:extensionTag{ name = 'templatestyles', args = { src = 'Module:Shortcut/styles.css'} })
-- Anchors
local anchorDiv = root
:tag('div')
:addClass('module-shortcutanchordiv')
for i, shortcut in ipairs(shortcuts) do
local anchor = mw.uri.anchorEncode(shortcut)
anchorDiv:tag('span'):attr('id', anchor)
end
-- Shortcut heading
local shortcutHeading
do
local nShortcuts = #shortcuts
if nShortcuts > 0 then
local headingMsg = options['shortcut-heading'] or
redirectMode and cfg['redirect-heading'] or
cfg['shortcut-heading']
shortcutHeading = message(headingMsg, nShortcuts)
shortcutHeading = frame:preprocess(shortcutHeading)
end
end
-- Shortcut box
local shortcutList = root
:tag('div')
:addClass('module-shortcutboxplain noprint')
:attr('role', 'note')
if options.float and options.float:lower() == 'left' then
shortcutList:addClass('module-shortcutboxleft')
end
if options.clear and options.clear ~= '' then
shortcutList:css('clear', options.clear)
end
if shortcutHeading then
shortcutList
:tag('div')
:addClass('module-shortcutlist')
:wikitext(shortcutHeading)
end
local ubl = require('Module:List').unbulleted(listItems)
shortcutList:wikitext(ubl)
return tostring(root)
end
function p.main(frame)
local args = require('Module:Arguments').getArgs(frame)
-- Separate shortcuts from options
local shortcuts, options = {}, {}
for k, v in pairs(args) do
if type(k) == 'number' then
shortcuts[k] = v
else
options[k] = v
end
end
-- Compress the shortcut array, which may contain nils.
local function compressArray(t)
local nums, ret = {}, {}
for k in pairs(t) do
nums[#nums + 1] = k
end
table.sort(nums)
for i, num in ipairs(nums) do
ret[i] = t[num]
end
return ret
end
shortcuts = compressArray(shortcuts)
return p._main(shortcuts, options, frame)
end
return p
03fd46a265e549852a9ed3d3a9249b247d84cb4f
Module:List
828
419
701
2022-12-29T17:57:56Z
w>Izno
0
add templatestyles for hlist
Scribunto
text/plain
local libUtil = require('libraryUtil')
local checkType = libUtil.checkType
local mTableTools = require('Module:TableTools')
local p = {}
local listTypes = {
['bulleted'] = true,
['unbulleted'] = true,
['horizontal'] = true,
['ordered'] = true,
['horizontal_ordered'] = true
}
function p.makeListData(listType, args)
-- Constructs a data table to be passed to p.renderList.
local data = {}
-- Classes and TemplateStyles
data.classes = {}
data.templatestyles = ''
if listType == 'horizontal' or listType == 'horizontal_ordered' then
table.insert(data.classes, 'hlist')
data.templatestyles = mw.getCurrentFrame():extensionTag{
name = 'templatestyles', args = { src = 'Hlist/styles.css' }
}
elseif listType == 'unbulleted' then
table.insert(data.classes, 'plainlist')
data.templatestyles = mw.getCurrentFrame():extensionTag{
name = 'templatestyles', args = { src = 'Plainlist/styles.css' }
}
end
table.insert(data.classes, args.class)
-- Main div style
data.style = args.style
-- Indent for horizontal lists
if listType == 'horizontal' or listType == 'horizontal_ordered' then
local indent = tonumber(args.indent)
indent = indent and indent * 1.6 or 0
if indent > 0 then
data.marginLeft = indent .. 'em'
end
end
-- List style types for ordered lists
-- This could be "1, 2, 3", "a, b, c", or a number of others. The list style
-- type is either set by the "type" attribute or the "list-style-type" CSS
-- property.
if listType == 'ordered' or listType == 'horizontal_ordered' then
data.listStyleType = args.list_style_type or args['list-style-type']
data.type = args['type']
-- Detect invalid type attributes and attempt to convert them to
-- list-style-type CSS properties.
if data.type
and not data.listStyleType
and not tostring(data.type):find('^%s*[1AaIi]%s*$')
then
data.listStyleType = data.type
data.type = nil
end
end
-- List tag type
if listType == 'ordered' or listType == 'horizontal_ordered' then
data.listTag = 'ol'
else
data.listTag = 'ul'
end
-- Start number for ordered lists
data.start = args.start
if listType == 'horizontal_ordered' then
-- Apply fix to get start numbers working with horizontal ordered lists.
local startNum = tonumber(data.start)
if startNum then
data.counterReset = 'listitem ' .. tostring(startNum - 1)
end
end
-- List style
-- ul_style and ol_style are included for backwards compatibility. No
-- distinction is made for ordered or unordered lists.
data.listStyle = args.list_style
-- List items
-- li_style is included for backwards compatibility. item_style was included
-- to be easier to understand for non-coders.
data.itemStyle = args.item_style or args.li_style
data.items = {}
for _, num in ipairs(mTableTools.numKeys(args)) do
local item = {}
item.content = args[num]
item.style = args['item' .. tostring(num) .. '_style']
or args['item_style' .. tostring(num)]
item.value = args['item' .. tostring(num) .. '_value']
or args['item_value' .. tostring(num)]
table.insert(data.items, item)
end
return data
end
function p.renderList(data)
-- Renders the list HTML.
-- Return the blank string if there are no list items.
if type(data.items) ~= 'table' or #data.items < 1 then
return ''
end
-- Render the main div tag.
local root = mw.html.create('div')
for _, class in ipairs(data.classes or {}) do
root:addClass(class)
end
root:css{['margin-left'] = data.marginLeft}
if data.style then
root:cssText(data.style)
end
-- Render the list tag.
local list = root:tag(data.listTag or 'ul')
list
:attr{start = data.start, type = data.type}
:css{
['counter-reset'] = data.counterReset,
['list-style-type'] = data.listStyleType
}
if data.listStyle then
list:cssText(data.listStyle)
end
-- Render the list items
for _, t in ipairs(data.items or {}) do
local item = list:tag('li')
if data.itemStyle then
item:cssText(data.itemStyle)
end
if t.style then
item:cssText(t.style)
end
item
:attr{value = t.value}
:wikitext(t.content)
end
return data.templatestyles .. tostring(root)
end
function p.renderTrackingCategories(args)
local isDeprecated = false -- Tracks deprecated parameters.
for k, v in pairs(args) do
k = tostring(k)
if k:find('^item_style%d+$') or k:find('^item_value%d+$') then
isDeprecated = true
break
end
end
local ret = ''
if isDeprecated then
ret = ret .. '[[Category:List templates with deprecated parameters]]'
end
return ret
end
function p.makeList(listType, args)
if not listType or not listTypes[listType] then
error(string.format(
"bad argument #1 to 'makeList' ('%s' is not a valid list type)",
tostring(listType)
), 2)
end
checkType('makeList', 2, args, 'table')
local data = p.makeListData(listType, args)
local list = p.renderList(data)
local trackingCategories = p.renderTrackingCategories(args)
return list .. trackingCategories
end
for listType in pairs(listTypes) do
p[listType] = function (frame)
local mArguments = require('Module:Arguments')
local origArgs = mArguments.getArgs(frame, {
valueFunc = function (key, value)
if not value or not mw.ustring.find(value, '%S') then return nil end
if mw.ustring.find(value, '^%s*[%*#;:]') then
return value
else
return value:match('^%s*(.-)%s*$')
end
return nil
end
})
-- Copy all the arguments to a new table, for faster indexing.
local args = {}
for k, v in pairs(origArgs) do
args[k] = v
end
return p.makeList(listType, args)
end
end
return p
7a4f36a6e9cd56370bdd8207d23694124821dc1a
Module:Arguments/doc
828
412
685
2023-01-16T23:38:57Z
Pppery
10
{{documentation subpage}}
wikitext
text/x-wiki
{{documentation subpage}}
This module provides easy processing of arguments passed from <code>#invoke</code>. It is a meta-module, meant for use by other modules, and should not be called from <code>#invoke</code> directly. Its features include:
* Easy trimming of arguments and removal of blank arguments.
* Arguments can be passed by both the current frame and by the parent frame at the same time. (More details below.)
* Arguments can be passed in directly from another Lua module or from the debug console.
* Most features can be customized.
== Basic use ==
First, you need to load the module. It contains one function, named <code>getArgs</code>.
<syntaxhighlight lang="lua">
local getArgs = require('Module:Arguments').getArgs
</syntaxhighlight>
In the most basic scenario, you can use getArgs inside your main function. The variable <code>args</code> is a table containing the arguments from #invoke. (See below for details.)
<syntaxhighlight lang="lua">
local getArgs = require('Module:Arguments').getArgs
local p = {}
function p.main(frame)
local args = getArgs(frame)
-- Main module code goes here.
end
return p
</syntaxhighlight>
=== Recommended practice ===
However, the recommended practice is to use a function just for processing arguments from #invoke. This means that if someone calls your module from another Lua module you don't have to have a frame object available, which improves performance.
<syntaxhighlight lang="lua">
local getArgs = require('Module:Arguments').getArgs
local p = {}
function p.main(frame)
local args = getArgs(frame)
return p._main(args)
end
function p._main(args)
-- Main module code goes here.
end
return p
</syntaxhighlight>
The way this is called from a template is <code><nowiki>{{#invoke:Example|main}}</nowiki></code> (optionally with some parameters like <code><nowiki>{{#invoke:Example|main|arg1=value1|arg2=value2}}</nowiki></code>), and the way this is called from a module is <syntaxhighlight lang=lua inline>require('Module:Example')._main({arg1 = 'value1', arg2 = value2, 'spaced arg3' = 'value3'})</syntaxhighlight>. What this second one does is construct a table with the arguments in it, then gives that table to the p._main(args) function, which uses it natively.
=== Multiple functions ===
If you want multiple functions to use the arguments, and you also want them to be accessible from #invoke, you can use a wrapper function.
<syntaxhighlight lang="lua">
local getArgs = require('Module:Arguments').getArgs
local p = {}
local function makeInvokeFunc(funcName)
return function (frame)
local args = getArgs(frame)
return p[funcName](args)
end
end
p.func1 = makeInvokeFunc('_func1')
function p._func1(args)
-- Code for the first function goes here.
end
p.func2 = makeInvokeFunc('_func2')
function p._func2(args)
-- Code for the second function goes here.
end
return p
</syntaxhighlight>
=== Options ===
The following options are available. They are explained in the sections below.
<syntaxhighlight lang="lua">
local args = getArgs(frame, {
trim = false,
removeBlanks = false,
valueFunc = function (key, value)
-- Code for processing one argument
end,
frameOnly = true,
parentOnly = true,
parentFirst = true,
wrappers = {
'Template:A wrapper template',
'Template:Another wrapper template'
},
readOnly = true,
noOverwrite = true
})
</syntaxhighlight>
=== Trimming and removing blanks ===
Blank arguments often trip up coders new to converting MediaWiki templates to Lua. In template syntax, blank strings and strings consisting only of whitespace are considered false. However, in Lua, blank strings and strings consisting of whitespace are considered true. This means that if you don't pay attention to such arguments when you write your Lua modules, you might treat something as true that should actually be treated as false. To avoid this, by default this module removes all blank arguments.
Similarly, whitespace can cause problems when dealing with positional arguments. Although whitespace is trimmed for named arguments coming from #invoke, it is preserved for positional arguments. Most of the time this additional whitespace is not desired, so this module trims it off by default.
However, sometimes you want to use blank arguments as input, and sometimes you want to keep additional whitespace. This can be necessary to convert some templates exactly as they were written. If you want to do this, you can set the <code>trim</code> and <code>removeBlanks</code> arguments to <code>false</code>.
<syntaxhighlight lang="lua">
local args = getArgs(frame, {
trim = false,
removeBlanks = false
})
</syntaxhighlight>
=== Custom formatting of arguments ===
Sometimes you want to remove some blank arguments but not others, or perhaps you might want to put all of the positional arguments in lower case. To do things like this you can use the <code>valueFunc</code> option. The input to this option must be a function that takes two parameters, <code>key</code> and <code>value</code>, and returns a single value. This value is what you will get when you access the field <code>key</code> in the <code>args</code> table.
Example 1: this function preserves whitespace for the first positional argument, but trims all other arguments and removes all other blank arguments.
<syntaxhighlight lang="lua">
local args = getArgs(frame, {
valueFunc = function (key, value)
if key == 1 then
return value
elseif value then
value = mw.text.trim(value)
if value ~= '' then
return value
end
end
return nil
end
})
</syntaxhighlight>
Example 2: this function removes blank arguments and converts all arguments to lower case, but doesn't trim whitespace from positional parameters.
<syntaxhighlight lang="lua">
local args = getArgs(frame, {
valueFunc = function (key, value)
if not value then
return nil
end
value = mw.ustring.lower(value)
if mw.ustring.find(value, '%S') then
return value
end
return nil
end
})
</syntaxhighlight>
Note: the above functions will fail if passed input that is not of type <code>string</code> or <code>nil</code>. This might be the case if you use the <code>getArgs</code> function in the main function of your module, and that function is called by another Lua module. In this case, you will need to check the type of your input. This is not a problem if you are using a function specially for arguments from #invoke (i.e. you have <code>p.main</code> and <code>p._main</code> functions, or something similar).
Examples 1 and 2 with type checking:
Example 1:
<syntaxhighlight lang="lua">
local args = getArgs(frame, {
valueFunc = function (key, value)
if key == 1 then
return value
elseif type(value) == 'string' then
value = mw.text.trim(value)
if value ~= '' then
return value
else
return nil
end
else
return value
end
end
})
</syntaxhighlight>
Example 2:
<syntaxhighlight lang="lua">
local args = getArgs(frame, {
valueFunc = function (key, value)
if type(value) == 'string' then
value = mw.ustring.lower(value)
if mw.ustring.find(value, '%S') then
return value
else
return nil
end
else
return value
end
end
})
</syntaxhighlight>
Also, please note that the <code>valueFunc</code> function is called more or less every time an argument is requested from the <code>args</code> table, so if you care about performance you should make sure you aren't doing anything inefficient with your code.
=== Frames and parent frames ===
Arguments in the <code>args</code> table can be passed from the current frame or from its parent frame at the same time. To understand what this means, it is easiest to give an example. Let's say that we have a module called <code>Module:ExampleArgs</code>. This module prints the first two positional arguments that it is passed.
Module:ExampleArgs code:
<syntaxhighlight lang="lua">
local getArgs = require('Module:Arguments').getArgs
local p = {}
function p.main(frame)
local args = getArgs(frame)
return p._main(args)
end
function p._main(args)
local first = args[1] or ''
local second = args[2] or ''
return first .. ' ' .. second
end
return p
</syntaxhighlight>
<code>Module:ExampleArgs</code> is then called by <code>Template:ExampleArgs</code>, which contains the code <code><nowiki>{{#invoke:ExampleArgs|main|firstInvokeArg}}</nowiki></code>. This produces the result "firstInvokeArg".
Now if we were to call <code>Template:ExampleArgs</code>, the following would happen:
{| class="wikitable" style="width: 50em; max-width: 100%;"
|-
! style="width: 60%;" | Code
! style="width: 40%;" | Result
|-
| <code><nowiki>{{ExampleArgs}}</nowiki></code>
| firstInvokeArg
|-
| <code><nowiki>{{ExampleArgs|firstTemplateArg}}</nowiki></code>
| firstInvokeArg
|-
| <code><nowiki>{{ExampleArgs|firstTemplateArg|secondTemplateArg}}</nowiki></code>
| firstInvokeArg secondTemplateArg
|}
There are three options you can set to change this behaviour: <code>frameOnly</code>, <code>parentOnly</code> and <code>parentFirst</code>. If you set <code>frameOnly</code> then only arguments passed from the current frame will be accepted; if you set <code>parentOnly</code> then only arguments passed from the parent frame will be accepted; and if you set <code>parentFirst</code> then arguments will be passed from both the current and parent frames, but the parent frame will have priority over the current frame. Here are the results in terms of <code>Template:ExampleArgs</code>:
; frameOnly
{| class="wikitable" style="width: 50em; max-width: 100%;"
|-
! style="width: 60%;" | Code
! style="width: 40%;" | Result
|-
| <code><nowiki>{{ExampleArgs}}</nowiki></code>
| firstInvokeArg
|-
| <code><nowiki>{{ExampleArgs|firstTemplateArg}}</nowiki></code>
| firstInvokeArg
|-
| <code><nowiki>{{ExampleArgs|firstTemplateArg|secondTemplateArg}}</nowiki></code>
| firstInvokeArg
|}
; parentOnly
{| class="wikitable" style="width: 50em; max-width: 100%;"
|-
! style="width: 60%;" | Code
! style="width: 40%;" | Result
|-
| <code><nowiki>{{ExampleArgs}}</nowiki></code>
|
|-
| <code><nowiki>{{ExampleArgs|firstTemplateArg}}</nowiki></code>
| firstTemplateArg
|-
| <code><nowiki>{{ExampleArgs|firstTemplateArg|secondTemplateArg}}</nowiki></code>
| firstTemplateArg secondTemplateArg
|}
; parentFirst
{| class="wikitable" style="width: 50em; max-width: 100%;"
|-
! style="width: 60%;" | Code
! style="width: 40%;" | Result
|-
| <code><nowiki>{{ExampleArgs}}</nowiki></code>
| firstInvokeArg
|-
| <code><nowiki>{{ExampleArgs|firstTemplateArg}}</nowiki></code>
| firstTemplateArg
|-
| <code><nowiki>{{ExampleArgs|firstTemplateArg|secondTemplateArg}}</nowiki></code>
| firstTemplateArg secondTemplateArg
|}
Notes:
# If you set both the <code>frameOnly</code> and <code>parentOnly</code> options, the module won't fetch any arguments at all from #invoke. This is probably not what you want.
# In some situations a parent frame may not be available, e.g. if getArgs is passed the parent frame rather than the current frame. In this case, only the frame arguments will be used (unless parentOnly is set, in which case no arguments will be used) and the <code>parentFirst</code> and <code>frameOnly</code> options will have no effect.
=== Wrappers ===
The ''wrappers'' option is used to specify a limited number of templates as ''wrapper templates'', that is, templates whose only purpose is to call a module. If the module detects that it is being called from a wrapper template, it will only check for arguments in the parent frame; otherwise it will only check for arguments in the frame passed to getArgs. This allows modules to be called by either #invoke or through a wrapper template without the loss of performance associated with having to check both the frame and the parent frame for each argument lookup.
For example, the only content of [[w:Template:Side box]] (excluding content in <noinclude> tags) is <code><nowiki>{{#invoke:Side box|main}}</nowiki></code>. There is no point in checking the arguments passed directly to the #invoke statement for this template, as no arguments will ever be specified there. We can avoid checking arguments passed to #invoke by using the ''parentOnly'' option, but if we do this then #invoke will not work from other pages either. If this were the case, the <nowiki>|text=Some text</nowiki> in the code <code><nowiki>{{#invoke:Side box|main|text=Some text}}</nowiki></code> would be ignored completely, no matter what page it was used from. By using the <code>wrappers</code> option to specify 'Template:Side box' as a wrapper, we can make <code><nowiki>{{#invoke:Side box|main|text=Some text}}</nowiki></code> work from most pages, while still not requiring that the module check for arguments on the [[w:Template:Side box]] page itself.
Wrappers can be specified either as a string, or as an array of strings.
<syntaxhighlight lang="lua">
local args = getArgs(frame, {
wrappers = 'Template:Wrapper template'
})
</syntaxhighlight>
<syntaxhighlight lang="lua">
local args = getArgs(frame, {
wrappers = {
'Template:Wrapper 1',
'Template:Wrapper 2',
-- Any number of wrapper templates can be added here.
}
})
</syntaxhighlight>
Notes:
# The module will automatically detect if it is being called from a wrapper template's /sandbox subpage, so there is no need to specify sandbox pages explicitly.
# The ''wrappers'' option effectively changes the default of the ''frameOnly'' and ''parentOnly'' options. If, for example, ''parentOnly'' were explicitly set to 0 with ''wrappers'' set, calls via wrapper templates would result in both frame and parent arguments being loaded, though calls not via wrapper templates would result in only frame arguments being loaded.
# If the ''wrappers'' option is set and no parent frame is available, the module will always get the arguments from the frame passed to <code>getArgs</code>.
=== Writing to the args table ===
Sometimes it can be useful to write new values to the args table. This is possible with the default settings of this module. (However, bear in mind that it is usually better coding style to create a new table with your new values and copy arguments from the args table as needed.)
<syntaxhighlight lang="lua">
args.foo = 'some value'
</syntaxhighlight>
It is possible to alter this behaviour with the <code>readOnly</code> and <code>noOverwrite</code> options. If <code>readOnly</code> is set then it is not possible to write any values to the args table at all. If <code>noOverwrite</code> is set, then it is possible to add new values to the table, but it is not possible to add a value if it would overwrite any arguments that are passed from #invoke.
=== Ref tags ===
This module uses [[mw:Extension:Scribunto/Lua reference manual#Metatables|metatables]] to fetch arguments from #invoke. This allows access to both the frame arguments and the parent frame arguments without using the <code>pairs()</code> function. This can help if your module might be passed <ref> tags as input.
As soon as <ref> tags are accessed from Lua, they are processed by the MediaWiki software and the reference will appear in the reference list at the bottom of the article. If your module proceeds to omit the reference tag from the output, you will end up with a phantom reference – a reference that appears in the reference list but without any number linking to it. This has been a problem with modules that use <code>pairs()</code> to detect whether to use the arguments from the frame or the parent frame, as those modules automatically process every available argument.
This module solves this problem by allowing access to both frame and parent frame arguments, while still only fetching those arguments when it is necessary. The problem will still occur if you use <code>pairs(args)</code> elsewhere in your module, however.
=== Known limitations ===
The use of metatables also has its downsides. Most of the normal Lua table tools won't work properly on the args table, including the <code>#</code> operator, the <code>next()</code> function, and the functions in the table library. If using these is important for your module, you should use your own argument processing function instead of this module.
fe30c5ad9e29eae50816e55d20e5582b23b65e0a
Module:Documentation/styles.css
828
411
683
2023-01-16T23:40:04Z
Pppery
10
text
text/plain
.documentation,
.documentation-metadata {
border: 1px solid #a2a9b1;
background-color: #ecfcf4;
clear: both;
}
.documentation {
margin: 1em 0 0 0;
padding: 1em;
}
.documentation-metadata {
margin: 0.2em 0; /* same margin left-right as .documentation */
font-style: italic;
padding: 0.4em 1em; /* same padding left-right as .documentation */
}
.documentation-startbox {
padding-bottom: 3px;
border-bottom: 1px solid #aaa;
margin-bottom: 1ex;
}
.documentation-heading {
font-weight: bold;
font-size: 125%;
}
.documentation-clear { /* Don't want things to stick out where they shouldn't. */
clear: both;
}
.documentation-toolbar {
font-style: normal;
font-size: 85%;
}
/* [[Category:Template stylesheets]] */
5fb984fe8632dc068db16853a824c9f3d5175dd9
Module:Lua banner
828
415
694
2023-02-16T14:39:53Z
tutorials>Uzume
0
[[Module:Citation]] has been blanked since [[Wikipedia:Templates for discussion/Log/2018 May 13#Module:Citation]]; remove special handling
Scribunto
text/plain
-- This module implements the {{lua}} template.
local yesno = require('Module:Yesno')
local mList = require('Module:List')
local mTableTools = require('Module:TableTools')
local mMessageBox = require('Module:Message box')
local p = {}
function p.main(frame)
local origArgs = frame:getParent().args
local args = {}
for k, v in pairs(origArgs) do
v = v:match('^%s*(.-)%s*$')
if v ~= '' then
args[k] = v
end
end
return p._main(args)
end
function p._main(args)
local modules = mTableTools.compressSparseArray(args)
local box = p.renderBox(modules)
local trackingCategories = p.renderTrackingCategories(args, modules)
return box .. trackingCategories
end
function p.renderBox(modules)
local boxArgs = {}
if #modules < 1 then
boxArgs.text = '<strong class="error">Error: no modules specified</strong>'
else
local moduleLinks = {}
for i, module in ipairs(modules) do
moduleLinks[i] = string.format('[[:%s]]', module)
local maybeSandbox = mw.title.new(module .. '/sandbox')
if maybeSandbox.exists then
moduleLinks[i] = moduleLinks[i] .. string.format(' ([[:%s|sandbox]])', maybeSandbox.fullText)
end
end
local moduleList = mList.makeList('bulleted', moduleLinks)
local title = mw.title.getCurrentTitle()
if title.subpageText == "doc" then
title = title.basePageTitle
end
if title.contentModel == "Scribunto" then
boxArgs.text = 'This module depends on the following other modules:' .. moduleList
else
boxArgs.text = 'This template uses [[Wikipedia:Lua|Lua]]:\n' .. moduleList
end
end
boxArgs.type = 'notice'
boxArgs.small = true
boxArgs.image = '[[File:Lua-Logo.svg|30px|alt=|link=]]'
return mMessageBox.main('mbox', boxArgs)
end
function p.renderTrackingCategories(args, modules, titleObj)
if yesno(args.nocat) then
return ''
end
local cats = {}
-- Error category
if #modules < 1 then
cats[#cats + 1] = 'Lua templates with errors'
end
-- Lua templates category
titleObj = titleObj or mw.title.getCurrentTitle()
local subpageBlacklist = {
doc = true,
sandbox = true,
sandbox2 = true,
testcases = true
}
if not subpageBlacklist[titleObj.subpageText] then
local protCatName
if titleObj.namespace == 10 then
local category = args.category
if not category then
local categories = {
['Module:String'] = 'Templates based on the String Lua module',
['Module:Math'] = 'Templates based on the Math Lua module',
['Module:BaseConvert'] = 'Templates based on the BaseConvert Lua module',
['Module:Citation/CS1'] = 'Templates based on the Citation/CS1 Lua module'
}
category = modules[1] and categories[modules[1]]
category = category or 'Lua-based templates'
end
cats[#cats + 1] = category
protCatName = "Templates using under-protected Lua modules"
elseif titleObj.namespace == 828 then
protCatName = "Modules depending on under-protected modules"
end
if not args.noprotcat and protCatName then
local protLevels = {
autoconfirmed = 1,
extendedconfirmed = 2,
templateeditor = 3,
sysop = 4
}
local currentProt
if titleObj.id ~= 0 then
-- id is 0 (page does not exist) if am previewing before creating a template.
currentProt = titleObj.protectionLevels["edit"][1]
end
if currentProt == nil then currentProt = 0 else currentProt = protLevels[currentProt] end
for i, module in ipairs(modules) do
if module ~= "WP:libraryUtil" then
local moduleProt = mw.title.new(module).protectionLevels["edit"][1]
if moduleProt == nil then moduleProt = 0 else moduleProt = protLevels[moduleProt] end
if moduleProt < currentProt then
cats[#cats + 1] = protCatName
break
end
end
end
end
end
for i, cat in ipairs(cats) do
cats[i] = string.format('[[Category:%s]]', cat)
end
return table.concat(cats)
end
return p
03ec1b34a40121efc562c0c64a67ebbf57d56dff
Template:Shortcut/styles.css
10
400
662
2023-03-14T15:53:59Z
w>Izno
0
Undid revision 1144571295 by [[Special:Contributions/TheDJ|TheDJ]] ([[User talk:TheDJ|talk]]) I'm sorry, that's not what we discussed or agreed to
text
text/plain
/* {{pp-template}} */
.module-shortcutboxplain {
float: right;
margin: 0 0 0 1em;
border: 1px solid #aaa;
background: #fff;
padding: 0.3em 0.6em 0.2em 0.6em;
text-align: center;
font-size: 85%;
}
.module-shortcutboxleft {
float: left;
margin: 0 1em 0 0;
}
.module-shortcutlist {
display: inline-block;
border-bottom: 1px solid #aaa;
margin-bottom: 0.2em;
}
.module-shortcutboxplain ul {
font-weight: bold;
}
.module-shortcutanchordiv {
position: relative;
top: -3em;
}
li .module-shortcutanchordiv {
float: right; /* IE/Edge in list items */
}
.mbox-imageright .module-shortcutboxplain {
padding: 0.4em 1em 0.4em 1em;
line-height: 1.3;
margin: 0;
}
ccf3877e4b14726147d3b1d8a297fbecacdb2cf8
Module:Message box
828
424
715
2023-04-13T14:30:11Z
tutorials>TylerMagee
0
Created page with "-- SOURCE: https://www.mediawiki.org/w/index.php?title=Module:Message_box -- Load necessary modules. require('strict') local getArgs local yesno = require('Module:Yesno') -- Get a language object for formatDate and ucfirst. local lang = mw.language.getContentLanguage() -- Define constants local CONFIG_MODULE = 'Module:Message box/configuration' local DEMOSPACES = {talk = 'tmbox', image = 'imbox', file = 'imbox', category = 'cmbox', article = 'ambox', main = 'ambox'} l..."
Scribunto
text/plain
-- SOURCE: https://www.mediawiki.org/w/index.php?title=Module:Message_box
-- Load necessary modules.
require('strict')
local getArgs
local yesno = require('Module:Yesno')
-- Get a language object for formatDate and ucfirst.
local lang = mw.language.getContentLanguage()
-- Define constants
local CONFIG_MODULE = 'Module:Message box/configuration'
local DEMOSPACES = {talk = 'tmbox', image = 'imbox', file = 'imbox', category = 'cmbox', article = 'ambox', main = 'ambox'}
local TEMPLATE_STYLES = 'Module:Message box/%s.css'
--------------------------------------------------------------------------------
-- Helper functions
--------------------------------------------------------------------------------
local function getTitleObject(...)
-- Get the title object, passing the function through pcall
-- in case we are over the expensive function count limit.
local success, title = pcall(mw.title.new, ...)
if success then
return title
end
end
local function union(t1, t2)
-- Returns the union of two arrays.
local vals = {}
for i, v in ipairs(t1) do
vals[v] = true
end
for i, v in ipairs(t2) do
vals[v] = true
end
local ret = {}
for k in pairs(vals) do
table.insert(ret, k)
end
table.sort(ret)
return ret
end
local function getArgNums(args, prefix)
local nums = {}
for k, v in pairs(args) do
local num = mw.ustring.match(tostring(k), '^' .. prefix .. '([1-9]%d*)$')
if num then
table.insert(nums, tonumber(num))
end
end
table.sort(nums)
return nums
end
--------------------------------------------------------------------------------
-- Box class definition
--------------------------------------------------------------------------------
local MessageBox = {}
MessageBox.__index = MessageBox
function MessageBox.new(boxType, args, cfg)
args = args or {}
local obj = {}
obj.boxType = boxType
-- Set the title object and the namespace.
obj.title = getTitleObject(args.page) or mw.title.getCurrentTitle()
-- Set the config for our box type.
obj.cfg = cfg[boxType]
if not obj.cfg then
local ns = obj.title.namespace
-- boxType is "mbox" or invalid input
if args.demospace and args.demospace ~= '' then
-- implement demospace parameter of mbox
local demospace = string.lower(args.demospace)
if DEMOSPACES[demospace] then
-- use template from DEMOSPACES
obj.cfg = cfg[DEMOSPACES[demospace]]
obj.boxType = DEMOSPACES[demospace]
elseif string.find( demospace, 'talk' ) then
-- demo as a talk page
obj.cfg = cfg.tmbox
obj.boxType = 'tmbox'
else
-- default to ombox
obj.cfg = cfg.ombox
obj.boxType = 'ombox'
end
elseif ns == 0 then
obj.cfg = cfg.ambox -- main namespace
obj.boxType = 'ambox'
elseif ns == 6 then
obj.cfg = cfg.imbox -- file namespace
obj.boxType = 'imbox'
elseif ns == 14 then
obj.cfg = cfg.cmbox -- category namespace
obj.boxType = 'cmbox'
else
local nsTable = mw.site.namespaces[ns]
if nsTable and nsTable.isTalk then
obj.cfg = cfg.tmbox -- any talk namespace
obj.boxType = 'tmbox'
else
obj.cfg = cfg.ombox -- other namespaces or invalid input
obj.boxType = 'ombox'
end
end
end
-- Set the arguments, and remove all blank arguments except for the ones
-- listed in cfg.allowBlankParams.
do
local newArgs = {}
for k, v in pairs(args) do
if v ~= '' then
newArgs[k] = v
end
end
for i, param in ipairs(obj.cfg.allowBlankParams or {}) do
newArgs[param] = args[param]
end
obj.args = newArgs
end
-- Define internal data structure.
obj.categories = {}
obj.classes = {}
-- For lazy loading of [[Module:Category handler]].
obj.hasCategories = false
return setmetatable(obj, MessageBox)
end
function MessageBox:addCat(ns, cat, sort)
if not cat then
return nil
end
if sort then
cat = string.format('[[Category:%s|%s]]', cat, sort)
else
cat = string.format('[[Category:%s]]', cat)
end
self.hasCategories = true
self.categories[ns] = self.categories[ns] or {}
table.insert(self.categories[ns], cat)
end
function MessageBox:addClass(class)
if not class then
return nil
end
self.classes[class] = 1
end
function MessageBox:removeClass(class)
if not class then
return nil
end
self.classes[class] = nil
end
function MessageBox:setParameters()
local args = self.args
local cfg = self.cfg
-- Get type data.
self.type = args.type
local typeData = cfg.types[self.type]
self.invalidTypeError = cfg.showInvalidTypeError
and self.type
and not typeData
typeData = typeData or cfg.types[cfg.default]
self.typeClass = typeData.class
self.typeImage = typeData.image
-- Find if the box has been wrongly substituted.
self.isSubstituted = cfg.substCheck and args.subst == 'SUBST'
-- Find whether we are using a small message box.
self.isSmall = cfg.allowSmall and (
cfg.smallParam and args.small == cfg.smallParam
or not cfg.smallParam and yesno(args.small)
)
-- Add attributes, classes and styles.
self.id = args.id
self.name = args.name
for _, class in ipairs(cfg.classes or {}) do
self:addClass(class)
end
if self.name then
self:addClass('box-' .. string.gsub(self.name,' ','_'))
end
local plainlinks = yesno(args.plainlinks)
if plainlinks == true then
self:addClass('plainlinks')
elseif plainlinks == false then
self:removeClass('plainlinks')
end
if self.isSmall then
self:addClass(cfg.smallClass or 'mbox-small')
end
self:addClass(self.typeClass)
self:addClass(args.class)
self.style = args.style
self.attrs = args.attrs
-- Set text style.
self.textstyle = args.textstyle
-- Find if we are on the template page or not. This functionality is only
-- used if useCollapsibleTextFields is set, or if both cfg.templateCategory
-- and cfg.templateCategoryRequireName are set.
self.useCollapsibleTextFields = cfg.useCollapsibleTextFields
if self.useCollapsibleTextFields
or cfg.templateCategory
and cfg.templateCategoryRequireName
then
if self.name then
local templateName = mw.ustring.match(
self.name,
'^[tT][eE][mM][pP][lL][aA][tT][eE][%s_]*:[%s_]*(.*)$'
) or self.name
templateName = 'Template:' .. templateName
self.templateTitle = getTitleObject(templateName)
end
self.isTemplatePage = self.templateTitle
and mw.title.equals(self.title, self.templateTitle)
end
-- Process data for collapsible text fields. At the moment these are only
-- used in {{ambox}}.
if self.useCollapsibleTextFields then
-- Get the self.issue value.
if self.isSmall and args.smalltext then
self.issue = args.smalltext
else
local sect
if args.sect == '' then
sect = 'This ' .. (cfg.sectionDefault or 'page')
elseif type(args.sect) == 'string' then
sect = 'This ' .. args.sect
end
local issue = args.issue
issue = type(issue) == 'string' and issue ~= '' and issue or nil
local text = args.text
text = type(text) == 'string' and text or nil
local issues = {}
table.insert(issues, sect)
table.insert(issues, issue)
table.insert(issues, text)
self.issue = table.concat(issues, ' ')
end
-- Get the self.talk value.
local talk = args.talk
-- Show talk links on the template page or template subpages if the talk
-- parameter is blank.
if talk == ''
and self.templateTitle
and (
mw.title.equals(self.templateTitle, self.title)
or self.title:isSubpageOf(self.templateTitle)
)
then
talk = '#'
elseif talk == '' then
talk = nil
end
if talk then
-- If the talk value is a talk page, make a link to that page. Else
-- assume that it's a section heading, and make a link to the talk
-- page of the current page with that section heading.
local talkTitle = getTitleObject(talk)
local talkArgIsTalkPage = true
if not talkTitle or not talkTitle.isTalkPage then
talkArgIsTalkPage = false
talkTitle = getTitleObject(
self.title.text,
mw.site.namespaces[self.title.namespace].talk.id
)
end
if talkTitle and talkTitle.exists then
local talkText = 'Relevant discussion may be found on'
if talkArgIsTalkPage then
talkText = string.format(
'%s [[%s|%s]].',
talkText,
talk,
talkTitle.prefixedText
)
else
talkText = string.format(
'%s the [[%s#%s|talk page]].',
talkText,
talkTitle.prefixedText,
talk
)
end
self.talk = talkText
end
end
-- Get other values.
self.fix = args.fix ~= '' and args.fix or nil
local date
if args.date and args.date ~= '' then
date = args.date
elseif args.date == '' and self.isTemplatePage then
date = lang:formatDate('F Y')
end
if date then
self.date = string.format(" <small class='date-container'>''(<span class='date'>%s</span>)''</small>", date)
end
self.info = args.info
if yesno(args.removalnotice) then
self.removalNotice = cfg.removalNotice
end
end
-- Set the non-collapsible text field. At the moment this is used by all box
-- types other than ambox, and also by ambox when small=yes.
if self.isSmall then
self.text = args.smalltext or args.text
else
self.text = args.text
end
-- Set the below row.
self.below = cfg.below and args.below
-- General image settings.
self.imageCellDiv = not self.isSmall and cfg.imageCellDiv
self.imageEmptyCell = cfg.imageEmptyCell
if cfg.imageEmptyCellStyle then
self.imageEmptyCellStyle = 'border:none;padding:0px;width:1px'
end
-- Left image settings.
local imageLeft = self.isSmall and args.smallimage or args.image
if cfg.imageCheckBlank and imageLeft ~= 'blank' and imageLeft ~= 'none'
or not cfg.imageCheckBlank and imageLeft ~= 'none'
then
self.imageLeft = imageLeft
if not imageLeft then
local imageSize = self.isSmall
and (cfg.imageSmallSize or '30x30px')
or '40x40px'
self.imageLeft = string.format('[[File:%s|%s|link=|alt=]]', self.typeImage
or 'Imbox notice.png', imageSize)
end
end
-- Right image settings.
local imageRight = self.isSmall and args.smallimageright or args.imageright
if not (cfg.imageRightNone and imageRight == 'none') then
self.imageRight = imageRight
end
end
function MessageBox:setMainspaceCategories()
local args = self.args
local cfg = self.cfg
if not cfg.allowMainspaceCategories then
return nil
end
local nums = {}
for _, prefix in ipairs{'cat', 'category', 'all'} do
args[prefix .. '1'] = args[prefix]
nums = union(nums, getArgNums(args, prefix))
end
-- The following is roughly equivalent to the old {{Ambox/category}}.
local date = args.date
date = type(date) == 'string' and date
local preposition = 'from'
for _, num in ipairs(nums) do
local mainCat = args['cat' .. tostring(num)]
or args['category' .. tostring(num)]
local allCat = args['all' .. tostring(num)]
mainCat = type(mainCat) == 'string' and mainCat
allCat = type(allCat) == 'string' and allCat
if mainCat and date and date ~= '' then
local catTitle = string.format('%s %s %s', mainCat, preposition, date)
self:addCat(0, catTitle)
catTitle = getTitleObject('Category:' .. catTitle)
if not catTitle or not catTitle.exists then
self:addCat(0, 'Articles with invalid date parameter in template')
end
elseif mainCat and (not date or date == '') then
self:addCat(0, mainCat)
end
if allCat then
self:addCat(0, allCat)
end
end
end
function MessageBox:setTemplateCategories()
local args = self.args
local cfg = self.cfg
-- Add template categories.
if cfg.templateCategory then
if cfg.templateCategoryRequireName then
if self.isTemplatePage then
self:addCat(10, cfg.templateCategory)
end
elseif not self.title.isSubpage then
self:addCat(10, cfg.templateCategory)
end
end
-- Add template error categories.
if cfg.templateErrorCategory then
local templateErrorCategory = cfg.templateErrorCategory
local templateCat, templateSort
if not self.name and not self.title.isSubpage then
templateCat = templateErrorCategory
elseif self.isTemplatePage then
local paramsToCheck = cfg.templateErrorParamsToCheck or {}
local count = 0
for i, param in ipairs(paramsToCheck) do
if not args[param] then
count = count + 1
end
end
if count > 0 then
templateCat = templateErrorCategory
templateSort = tostring(count)
end
if self.categoryNums and #self.categoryNums > 0 then
templateCat = templateErrorCategory
templateSort = 'C'
end
end
self:addCat(10, templateCat, templateSort)
end
end
function MessageBox:setAllNamespaceCategories()
-- Set categories for all namespaces.
if self.isSubstituted then
self:addCat('all', 'Pages with incorrectly substituted templates')
end
end
function MessageBox:setCategories()
if self.title.namespace == 0 then
self:setMainspaceCategories()
elseif self.title.namespace == 10 then
self:setTemplateCategories()
end
self:setAllNamespaceCategories()
end
function MessageBox:renderCategories()
if not self.hasCategories then
-- No categories added, no need to pass them to Category handler so,
-- if it was invoked, it would return the empty string.
-- So we shortcut and return the empty string.
return ""
end
-- Convert category tables to strings and pass them through
-- [[Module:Category handler]].
return require('Module:Category handler')._main{
main = table.concat(self.categories[0] or {}),
template = table.concat(self.categories[10] or {}),
all = table.concat(self.categories.all or {}),
nocat = self.args.nocat,
page = self.args.page
}
end
function MessageBox:export()
local root = mw.html.create()
-- Add the subst check error.
if self.isSubstituted and self.name then
root:tag('b')
:addClass('error')
:wikitext(string.format(
'Template <code>%s[[Template:%s|%s]]%s</code> has been incorrectly substituted.',
mw.text.nowiki('{{'), self.name, self.name, mw.text.nowiki('}}')
))
end
-- Add TemplateStyles
root:wikitext(mw.getCurrentFrame():extensionTag{
name = 'templatestyles',
args = { src = TEMPLATE_STYLES:format(self.boxType) },
})
-- Create the box table.
local boxTable
-- Check for fmbox because not all interface messages have mw-parser-output
-- which is necessary for TemplateStyles. Add the wrapper class if it is and
-- then start the actual mbox, else start the mbox.
if self.boxType == 'fmbox' then
boxTable = root:tag('div')
:addClass('mw-parser-output')
:tag('table')
else
boxTable = root:tag('table')
end
boxTable:attr('id', self.id or nil)
for class, _ in pairs(self.classes or {}) do
boxTable:addClass(class or nil)
end
boxTable
:cssText(self.style or nil)
:attr('role', 'presentation')
if self.attrs then
boxTable:attr(self.attrs)
end
-- Add the left-hand image.
local row = boxTable:tag('tr')
if self.imageLeft then
local imageLeftCell = row:tag('td'):addClass('mbox-image')
if self.imageCellDiv then
-- If we are using a div, redefine imageLeftCell so that the image
-- is inside it. Divs use style="width: 52px;", which limits the
-- image width to 52px. If any images in a div are wider than that,
-- they may overlap with the text or cause other display problems.
imageLeftCell = imageLeftCell:tag('div'):css('width', '52px')
end
imageLeftCell:wikitext(self.imageLeft or nil)
elseif self.imageEmptyCell then
-- Some message boxes define an empty cell if no image is specified, and
-- some don't. The old template code in templates where empty cells are
-- specified gives the following hint: "No image. Cell with some width
-- or padding necessary for text cell to have 100% width."
row:tag('td')
:addClass('mbox-empty-cell')
:cssText(self.imageEmptyCellStyle or nil)
end
-- Add the text.
local textCell = row:tag('td'):addClass('mbox-text')
if self.useCollapsibleTextFields then
-- The message box uses advanced text parameters that allow things to be
-- collapsible. At the moment, only ambox uses this.
textCell:cssText(self.textstyle or nil)
local textCellDiv = textCell:tag('div')
textCellDiv
:addClass('mbox-text-span')
:wikitext(self.issue or nil)
if (self.talk or self.fix) and not self.isSmall then
textCellDiv:tag('span')
:addClass('hide-when-compact')
:wikitext(self.talk and (' ' .. self.talk) or nil)
:wikitext(self.fix and (' ' .. self.fix) or nil)
end
textCellDiv:wikitext(self.date and (' ' .. self.date) or nil)
if self.info and not self.isSmall then
textCellDiv
:tag('span')
:addClass('hide-when-compact')
:wikitext(self.info and (' ' .. self.info) or nil)
end
if self.removalNotice then
textCellDiv:tag('small')
:addClass('hide-when-compact')
:tag('i')
:wikitext(string.format(" (%s)", self.removalNotice))
end
else
-- Default text formatting - anything goes.
textCell
:cssText(self.textstyle or nil)
:wikitext(self.text or nil)
end
-- Add the right-hand image.
if self.imageRight then
local imageRightCell = row:tag('td'):addClass('mbox-imageright')
if self.imageCellDiv then
-- If we are using a div, redefine imageRightCell so that the image
-- is inside it.
imageRightCell = imageRightCell:tag('div'):css('width', '52px')
end
imageRightCell
:wikitext(self.imageRight or nil)
end
-- Add the below row.
if self.below then
boxTable:tag('tr')
:tag('td')
:attr('colspan', self.imageRight and '3' or '2')
:addClass('mbox-text')
:cssText(self.textstyle or nil)
:wikitext(self.below or nil)
end
-- Add error message for invalid type parameters.
if self.invalidTypeError then
root:tag('div')
:css('text-align', 'center')
:wikitext(string.format(
'This message box is using an invalid "type=%s" parameter and needs fixing.',
self.type or ''
))
end
-- Add categories.
root:wikitext(self:renderCategories() or nil)
return tostring(root)
end
--------------------------------------------------------------------------------
-- Exports
--------------------------------------------------------------------------------
local p, mt = {}, {}
function p._exportClasses()
-- For testing.
return {
MessageBox = MessageBox
}
end
function p.main(boxType, args, cfgTables)
local box = MessageBox.new(boxType, args, cfgTables or mw.loadData(CONFIG_MODULE))
box:setParameters()
box:setCategories()
return box:export()
end
function mt.__index(t, k)
return function (frame)
if not getArgs then
getArgs = require('Module:Arguments').getArgs
end
return t.main(k, getArgs(frame, {trim = false, removeBlanks = false}))
end
end
return setmetatable(p, mt)
7414f89c2e4dff799c3586dff29027140856be0e
Module:Yesno
828
413
690
2023-04-13T14:33:51Z
tutorials>TylerMagee
0
Created page with "-- Function allowing for consistent treatment of boolean-like wikitext input. -- It works similarly to the template {{yesno}}. -- https://www.mediawiki.org/w/index.php?title=Module:Yesno return function (val, default) -- If your wiki uses non-ascii characters for any of "yes", "no", etc., you -- should replace "val:lower()" with "mw.ustring.lower(val)" in the -- following line. val = type(val) == 'string' and val.ustring.lower(val) or val if val == nil then retur..."
Scribunto
text/plain
-- Function allowing for consistent treatment of boolean-like wikitext input.
-- It works similarly to the template {{yesno}}.
-- https://www.mediawiki.org/w/index.php?title=Module:Yesno
return function (val, default)
-- If your wiki uses non-ascii characters for any of "yes", "no", etc., you
-- should replace "val:lower()" with "mw.ustring.lower(val)" in the
-- following line.
val = type(val) == 'string' and val.ustring.lower(val) or val
if val == nil then
return nil
elseif val == true
or val == 'yes'
or val == 'y'
or val == 'true'
or val == 't'
or val == 'on'
or tonumber(val) == 1
then
return true
elseif val == false
or val == 'no'
or val == 'n'
or val == 'false'
or val == 'f'
or val == 'off'
or tonumber(val) == 0
then
return false
else
return default
end
end
0f9e91e12a4119f8bdeb408141af97b29fc72a80
Module:Message box/configuration
828
425
717
2023-04-13T15:07:42Z
tutorials>TylerMagee
0
Created page with "-------------------------------------------------------------------------------- -- Message box configuration -- -- -- -- This module contains configuration data for [[Module:Message box]]. -- -------------------------------------------------------------------------------- return { ambox = { types = { speedy = { class = 'ambox-spee..."
Scribunto
text/plain
--------------------------------------------------------------------------------
-- Message box configuration --
-- --
-- This module contains configuration data for [[Module:Message box]]. --
--------------------------------------------------------------------------------
return {
ambox = {
types = {
speedy = {
class = 'ambox-speedy',
image = 'OOjs UI icon clock-destructive.svg'
},
delete = {
class = 'ambox-delete',
image = 'OOjs UI icon alert-destructive.svg'
},
warning = { -- alias for content
class = 'ambox-content',
image = 'OOjs UI icon notice-warning.svg'
},
content = {
class = 'ambox-content',
image = 'OOjs UI icon notice-warning.svg'
},
style = {
class = 'ambox-style',
image = 'Edit-clear.svg'
},
move = {
class = 'ambox-move',
image = 'Merge-split-transwiki default.svg'
},
protection = {
class = 'ambox-protection',
image = 'Semi-protection-shackle-keyhole.svg'
},
notice = {
class = 'ambox-notice',
image = 'OOjs UI icon information-progressive.svg'
}
},
default = 'notice',
allowBlankParams = {'talk', 'sect', 'date', 'issue', 'fix', 'subst', 'hidden'},
allowSmall = true,
smallParam = 'left',
smallClass = 'mbox-small-left',
substCheck = true,
classes = {'metadata', 'plainlinks', 'ambox'},
imageEmptyCell = true,
imageCheckBlank = true,
imageSmallSize = '20x20px',
imageCellDiv = true,
useCollapsibleTextFields = true,
imageRightNone = true,
sectionDefault = 'article',
allowMainspaceCategories = true,
templateCategory = 'Article message templates',
templateCategoryRequireName = true,
templateErrorCategory = nil,
templateErrorParamsToCheck = {'issue', 'fix', 'subst'}
},
cmbox = {
types = {
speedy = {
class = 'cmbox-speedy',
image = 'OOjs UI icon clock-destructive.svg'
},
delete = {
class = 'cmbox-delete',
image = 'OOjs UI icon alert-destructive.svg'
},
content = {
class = 'cmbox-content',
image = 'OOjs UI icon notice-warning.svg'
},
style = {
class = 'cmbox-style',
image = 'Edit-clear.svg'
},
move = {
class = 'cmbox-move',
image = 'Merge-split-transwiki default.svg'
},
protection = {
class = 'cmbox-protection',
image = 'Semi-protection-shackle-keyhole.svg'
},
notice = {
class = 'cmbox-notice',
image = 'OOjs UI icon information-progressive.svg'
},
caution = {
class = 'cmbox-style',
image = 'Ambox warning yellow.svg'
}
},
default = 'notice',
showInvalidTypeError = true,
classes = {'plainlinks', 'cmbox'},
imageEmptyCell = true
},
fmbox = {
types = {
warning = {
class = 'fmbox-warning',
image = 'OOjs UI icon clock-destructive.svg'
},
editnotice = {
class = 'fmbox-editnotice',
image = 'OOjs UI icon information-progressive.svg'
},
system = {
class = 'fmbox-system',
image = 'OOjs UI icon information-progressive.svg'
}
},
default = 'system',
showInvalidTypeError = true,
classes = {'plainlinks', 'fmbox'},
imageEmptyCell = false,
imageRightNone = false
},
imbox = {
types = {
speedy = {
class = 'imbox-speedy',
image = 'OOjs UI icon clock-destructive.svg'
},
delete = {
class = 'imbox-delete',
image = 'OOjs UI icon alert-destructive.svg'
},
content = {
class = 'imbox-content',
image = 'OOjs UI icon notice-warning.svg'
},
style = {
class = 'imbox-style',
image = 'Edit-clear.svg'
},
move = {
class = 'imbox-move',
image = 'Merge-split-transwiki default.svg'
},
protection = {
class = 'imbox-protection',
image = 'Semi-protection-shackle-keyhole.svg'
},
license = {
class = 'imbox-license licensetpl',
image = 'Imbox license.png' -- @todo We need an SVG version of this
},
featured = {
class = 'imbox-featured',
image = 'Cscr-featured.svg'
},
notice = {
class = 'imbox-notice',
image = 'OOjs UI icon information-progressive.svg'
}
},
default = 'notice',
showInvalidTypeError = true,
classes = {'imbox'},
usePlainlinksParam = true,
imageEmptyCell = true,
below = true,
templateCategory = 'File message boxes'
},
ombox = {
types = {
speedy = {
class = 'ombox-speedy',
image = 'OOjs UI icon clock-destructive.svg'
},
delete = {
class = 'ombox-delete',
image = 'OOjs UI icon alert-destructive.svg'
},
warning = { -- alias for content
class = 'ombox-content',
image = 'OOjs UI icon notice-warning.svg'
},
content = {
class = 'ombox-content',
image = 'OOjs UI icon notice-warning.svg'
},
style = {
class = 'ombox-style',
image = 'Edit-clear.svg'
},
move = {
class = 'ombox-move',
image = 'Merge-split-transwiki default.svg'
},
protection = {
class = 'ombox-protection',
image = 'Semi-protection-shackle-keyhole.svg'
},
notice = {
class = 'ombox-notice',
image = 'OOjs UI icon information-progressive.svg'
},
critical = {
class = 'mbox-critical',
image = 'OOjs UI icon clock-destructive.svg'
}
},
default = 'notice',
showInvalidTypeError = true,
classes = {'plainlinks', 'ombox'},
allowSmall = true,
imageEmptyCell = true,
imageRightNone = true
},
tmbox = {
types = {
speedy = {
class = 'tmbox-speedy',
image = 'OOjs UI icon clock-destructive.svg'
},
delete = {
class = 'tmbox-delete',
image = 'OOjs UI icon alert-destructive.svg'
},
content = {
class = 'tmbox-content',
image = 'OOjs UI icon notice-warning.svg'
},
style = {
class = 'tmbox-style',
image = 'Edit-clear.svg'
},
move = {
class = 'tmbox-move',
image = 'Merge-split-transwiki default.svg'
},
protection = {
class = 'tmbox-protection',
image = 'Semi-protection-shackle-keyhole.svg'
},
notice = {
class = 'tmbox-notice',
image = 'OOjs UI icon information-progressive.svg'
}
},
default = 'notice',
showInvalidTypeError = true,
classes = {'plainlinks', 'tmbox'},
allowSmall = true,
imageRightNone = true,
imageEmptyCell = true,
imageEmptyCellStyle = true,
templateCategory = 'Talk message boxes'
}
}
d8cf419a57983f67944903d17535c0ee0780ceb6
Template:Message box/ombox.css
10
384
628
2023-04-13T15:11:03Z
tutorials>TylerMagee
0
Created page with "/** * {{ombox}} (other pages message box) styles * * @source https://www.mediawiki.org/wiki/MediaWiki:Gadget-enwp-boxes.css * @revision 2021-07-15 */ table.ombox { margin: 4px 10%; border-collapse: collapse; /* Default "notice" gray */ border: 1px solid #a2a9b1; background-color: #f8f9fa; box-sizing: border-box; } /* An empty narrow cell */ .ombox td.mbox-empty-cell { border: none; padding: 0; width: 1px; } /* The message body cell(s) */ .ombox th.mbox-te..."
text
text/plain
/**
* {{ombox}} (other pages message box) styles
*
* @source https://www.mediawiki.org/wiki/MediaWiki:Gadget-enwp-boxes.css
* @revision 2021-07-15
*/
table.ombox {
margin: 4px 10%;
border-collapse: collapse;
/* Default "notice" gray */
border: 1px solid #a2a9b1;
background-color: #f8f9fa;
box-sizing: border-box;
}
/* An empty narrow cell */
.ombox td.mbox-empty-cell {
border: none;
padding: 0;
width: 1px;
}
/* The message body cell(s) */
.ombox th.mbox-text,
.ombox td.mbox-text {
border: none;
/* 0.9em left/right */
padding: 0.25em 0.9em;
/* Make all mboxes the same width regardless of text length */
width: 100%;
}
/* The left image cell */
.ombox td.mbox-image {
border: none;
text-align: center;
/* 0.9em left, 0px right */
/* @noflip */
padding: 2px 0 2px 0.9em;
}
/* The right image cell */
.ombox td.mbox-imageright {
border: none;
text-align: center;
/* 0px left, 0.9em right */
/* @noflip */
padding: 2px 0.9em 2px 0;
}
table.ombox-notice {
/* Gray */
border-color: #a2a9b1;
}
table.ombox-speedy {
/* Pink */
background-color: #fee7e6;
}
table.ombox-speedy,
table.ombox-delete {
/* Red */
border-color: #b32424;
border-width: 2px;
}
table.ombox-content {
/* Orange */
border-color: #f28500;
}
table.ombox-style {
/* Yellow */
border-color: #fc3;
}
table.ombox-move {
/* Purple */
border-color: #9932cc;
}
table.ombox-protection {
/* Gray-gold */
border-color: #a2a9b1;
border-width: 2px;
}
/**
* {{ombox|small=1}} styles
*
* These ".mbox-small" classes must be placed after all other
* ".ombox" classes. "html body.mediawiki .ombox"
* is so they apply only to other page message boxes.
*
* @source https://www.mediawiki.org/wiki/MediaWiki:Gadget-enwp-boxes.css
* @revision 2021-07-15
*/
/* For the "small=yes" option. */
html body.mediawiki .ombox.mbox-small {
clear: right;
float: right;
margin: 4px 0 4px 1em;
box-sizing: border-box;
width: 238px;
font-size: 88%;
line-height: 1.25em;
}
e2c21da9b2e5ea3a68e2f5a7432cbfd3cfce80a8
Template:Uses TemplateStyles
10
398
658
2023-04-18T22:22:16Z
w>Grufo
0
Move the preview inside the documentation
wikitext
text/x-wiki
<includeonly>{{#invoke:Uses TemplateStyles|main}}</includeonly><noinclude>{{documentation}}
<!-- Categories go on the /doc subpage and interwikis go on Wikidata. -->
</noinclude>
60f2fc73c4d69b292455879f9fcb3c68f6c63c2a
Main Page
0
1
1
2023-10-20T23:08:05Z
MediaWiki default
1
Create main page
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
This Main Page was created automatically and it seems it hasn't been replaced yet.
=== For the bureaucrat(s) of this wiki ===
Hello, and welcome to your new wiki! Thank you for choosing Miraheze for the hosting of your wiki, we hope you will enjoy our hosting.
You can immediately start working on your wiki or whenever you want.
Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links:
* [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users)
* [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]]
* [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.)
==== I still don't understand X! ====
Well, that's no problem. Even if something isn't explained in the documentation/FAQ, we are still happy to help you. You can find us here:
* [[meta:Special:MyLanguage/Help center|On our own Miraheze wiki]]
* On [[phab:|Phabricator]]
* On [https://miraheze.org/discord Discord]
* On IRC in #miraheze on irc.libera.chat ([irc://irc.libera.chat/%23miraheze direct link]; [https://web.libera.chat/?channel=#miraheze webchat])
=== For visitors of this wiki ===
Hello, the default Main Page of this wiki (this page) has not yet been replaced by the bureaucrat(s) of this wiki. The bureaucrat(s) might still be working on a Main Page, so please check again later!
21236ac3f8d65e5563b6da6b70815ca6bf1e6616
2
1
2023-10-20T23:10:48Z
Onepeachymo
2
Replaced content with "__NOTOC__ == Welcome to {{SITENAME}}! == This Main Page was created automatically and it seems it hasn't been replaced yet. sup man"
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
This Main Page was created automatically and it seems it hasn't been replaced yet.
sup man
b798c8b0a10967aed4f9dcd169a44acd1bc7eed9
3
2
2023-10-20T23:11:04Z
Onepeachymo
2
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
sup man
0e86dd243bf20c4c5556095781ce4e4176e25318
Calico Drayke
0
2
4
2023-10-20T23:18:04Z
Onepeachymo
2
Created page with "gay ass pirate"
wikitext
text/x-wiki
gay ass pirate
ae7a6387a910d4a2f8be121f1e1148b79b8ff35f
Skoozy Mcribb
0
4
7
2023-10-20T23:22:17Z
Mordimoss
4
Created page with "Skoozy Mcribb is a major character an antagonist in Re:Symphony."
wikitext
text/x-wiki
Skoozy Mcribb is a major character an antagonist in Re:Symphony.
40a539d460d7e8e9e99c015cb6567717bc22fd81
14
7
2023-10-20T23:32:29Z
Mordimoss
4
wikitext
text/x-wiki
'''Skoozy Mcribb''' is a major character an antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib].
2657eb8af325cd1610fd15f378c9a1e3799dd434
15
14
2023-10-20T23:32:47Z
Mordimoss
4
wikitext
text/x-wiki
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib].
e96184be850759c507df58d54162f3f5b1f72820
Siette Aerien
0
6
11
2023-10-20T23:25:46Z
HowlingHeretic
3
Created page with "We're so back"
wikitext
text/x-wiki
We're so back
a895cb0be105b061a3db5709f474faeb0f3fd80f
Salang Lyubov
0
7
12
2023-10-20T23:30:33Z
Onepeachymo
2
Created page with "little love gayboy"
wikitext
text/x-wiki
little love gayboy
67c323b41e48fe8abb3b54fa57480e6c07a7f5ae
Anicca Shivuh
0
8
13
2023-10-20T23:32:06Z
Onepeachymo
2
Created page with "lesbian who has to Cope so hard all the time"
wikitext
text/x-wiki
lesbian who has to Cope so hard all the time
3563c717380492334a26bdd3f4e1af499c3dd7dd
Skoozy Mcribb
0
4
16
15
2023-10-20T23:37:51Z
Mordimoss
4
wikitext
text/x-wiki
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his moonbounce tag [[analyticalSwine]], and i'll write more later lol
ae700791a18b29ff82d7881b5cff44349a7bdbee
19
16
2023-10-20T23:40:27Z
Mordimoss
4
wikitext
text/x-wiki
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his moonbounce tag analyticalSwine, and i'll write more later lol
81e8aadfd24ab428db33a2104836fc25d92eddad
23
19
2023-10-20T23:44:30Z
Mordimoss
4
wikitext
text/x-wiki
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his moonbounce tag '''analyticalSwine''', he is option depicted with the Mcdonald's golden arches symbol rather than his true sign.
f20d98e18ede9bf96e70da742aaed668e0e4080a
34
23
2023-10-20T23:53:46Z
Mordimoss
4
wikitext
text/x-wiki
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his moonbounce tag '''analyticalSwine''', he is option depicted with the Mcdonald's golden arches symbol rather than his true sign.
==Etymology==
Although "Skoozy" has many meanings in American english slang, his name was chosen as a purely random collection of sounds, rather than to be symbolic of his character. "Mcribb" was similarly chosen as a silly name, but was explored upon further as Skoozy has a deep rooted love for Mcdonald's. The name Mcribb may also be tied to Skoozy's lusus being a large pig, which could also be further referenced in his moonbounce tag "analyticalSwine".
a78d86fa274f8c5617bfa14fd6f4b5f330421a5b
37
34
2023-10-20T23:58:19Z
Mordimoss
4
wikitext
text/x-wiki
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his moonbounce tag '''analyticalSwine''', he is option depicted with the Mcdonald's golden arches symbol rather than his true sign.
Skoozy joined the chatroom on say one, claiming initially that "link said free trobux?" but it is later implied that he joined via spying on Paluli.
==Etymology==
Although "Skoozy" has many meanings in American english slang, his name was chosen as a purely random collection of sounds, rather than to be symbolic of his character. "Mcribb" was similarly chosen as a silly name, but was explored upon further as Skoozy has a deep rooted love for Mcdonald's. The name Mcribb may also be tied to Skoozy's lusus being a large pig, which could also be further referenced in his moonbounce tag "analyticalSwine". As troll tags are chosen by the character, it is assumed that Skoozy chose "analytical" because he prides that aspect of his personality, and "Swine" out of respect for his lusus.
77f623ae128663ace4a9eda592ca0f38645d2c1f
38
37
2023-10-20T23:58:38Z
Mordimoss
4
wikitext
text/x-wiki
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his moonbounce tag '''analyticalSwine''', he is option depicted with the Mcdonald's golden arches symbol rather than his true sign.
Skoozy joined the chatroom on say one, claiming initially that "link said free trobux?" but it is later implied that he joined via spying on Paluli.
==Etymology==
Although "Skoozy" has many meanings in American english slang, his name was chosen as a purely random collection of sounds, rather than to be symbolic of his character. "Mcribb" was similarly chosen as a silly name, but was explored upon further as Skoozy has a deep rooted love for Mcdonald's. The name Mcribb may also be tied to Skoozy's lusus being a large pig, which could also be further referenced in his moonbounce tag "analyticalSwine". As troll tags are chosen by the character, it is assumed that Skoozy chose "analytical" because he prides that aspect of his personality, and "Swine" out of respect for his lusus.
86bd1c647fc3028d1e4ac9b152c2e931259af7f3
40
38
2023-10-20T23:58:50Z
Mordimoss
4
wikitext
text/x-wiki
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his moonbounce tag '''analyticalSwine''', he is option depicted with the Mcdonald's golden arches symbol rather than his true sign.
Skoozy joined the chatroom on day one, claiming initially that "link said free trobux?" but it is later implied that he joined via spying on Paluli.
==Etymology==
Although "Skoozy" has many meanings in American english slang, his name was chosen as a purely random collection of sounds, rather than to be symbolic of his character. "Mcribb" was similarly chosen as a silly name, but was explored upon further as Skoozy has a deep rooted love for Mcdonald's. The name Mcribb may also be tied to Skoozy's lusus being a large pig, which could also be further referenced in his moonbounce tag "analyticalSwine". As troll tags are chosen by the character, it is assumed that Skoozy chose "analytical" because he prides that aspect of his personality, and "Swine" out of respect for his lusus.
662ee245171d44fff75b44243bd5951b7e5c65a6
41
40
2023-10-20T23:59:18Z
Mordimoss
4
wikitext
text/x-wiki
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his moonbounce tag '''analyticalSwine''', he is option depicted with the Mcdonald's golden arches symbol rather than his true sign.
Skoozy joined the server on day one, claiming initially that "link said free trobux?" but it is later implied that he joined via spying on Paluli.
==Etymology==
Although "Skoozy" has many meanings in American english slang, his name was chosen as a purely random collection of sounds, rather than to be symbolic of his character. "Mcribb" was similarly chosen as a silly name, but was explored upon further as Skoozy has a deep rooted love for Mcdonald's. The name Mcribb may also be tied to Skoozy's lusus being a large pig, which could also be further referenced in his moonbounce tag "analyticalSwine". As troll tags are chosen by the character, it is assumed that Skoozy chose "analytical" because he prides that aspect of his personality, and "Swine" out of respect for his lusus.
a3c23ce4c1121e1b2c8a2c5899a989d144e16544
43
41
2023-10-21T00:06:55Z
Mordimoss
4
wikitext
text/x-wiki
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his moonbounce tag '''analyticalSwine''', he is option depicted with the Mcdonald's golden arches symbol rather than his true sign.
Skoozy joined the server on day one, claiming initially that "link said free trobux?" but it is later implied that he joined via spying on Paluli.
==Etymology==
Although "Skoozy" has many meanings in American english slang, his name was chosen as a purely random collection of sounds, rather than to be symbolic of his character. "Mcribb" was similarly chosen as a silly name, but was explored upon further as Skoozy has a deep rooted love for Mcdonald's. The name Mcribb may also be tied to Skoozy's lusus being a large pig, which could also be further referenced in his moonbounce tag "analyticalSwine". As troll tags are chosen by the character, it is assumed that Skoozy chose "analytical" because he prides that aspect of his personality, and "Swine" out of respect for his lusus.
==Biography==
===Early life===
Very little is known about Skoozy's early life, though it was alluded that he had longtime connections with the pirates. Later he is shown in [https://en.wikipedia.org/wiki/Flashback%20(narrative) flashbacks] to have worked with both Pyrrah and with Calico's crew, despite the hatred between the two crews. It is also heavily implied that he is responsible for Paluli's mutated appearance, suggesting he somehow experimented with her before she emerged from the brooding caverns, despite the fact they are close in age.
3ee806d00405ce423af126835e5596a82e37fe1f
48
43
2023-10-21T00:15:28Z
Mordimoss
4
wikitext
text/x-wiki
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his moonbounce tag '''analyticalSwine''', he is option depicted with the Mcdonald's golden arches symbol rather than his true sign.
Skoozy joined the server on day one, claiming initially that "link said free trobux?" but it is later implied that he joined via spying on Paluli.
==Etymology==
Although "Skoozy" has many meanings in American english slang, his name was chosen as a purely random collection of sounds, rather than to be symbolic of his character. "Mcribb" was similarly chosen as a silly name, but was explored upon further as Skoozy has a deep rooted love for Mcdonald's. The name Mcribb may also be tied to Skoozy's lusus being a large pig, which could also be further referenced in his moonbounce tag "analyticalSwine". As troll tags are chosen by the character, it is assumed that Skoozy chose "analytical" because he prides that aspect of his personality, and "Swine" out of respect for his lusus.
==Biography==
===Early life===
Very little is known about Skoozy's early life, though it was alluded that he had longtime connections with the pirates. Later he is shown in [https://en.wikipedia.org/wiki/Flashback%20(narrative) flashbacks] to have worked with both Pyrrah and with Calico's crew, despite the hatred between the two crews. It is also heavily implied that he is responsible for Paluli's mutated appearance, suggesting he somehow experimented with her before she emerged from the brooding caverns, despite the fact they are close in age.
===Act 1===
Skoozy initially does not reveal his true nature to those in the chatroom, and does his best to come across as a nonthreatening, albeit annoying, trickster.
5be5a98afaaa92427afb9adf3ba5b7cdaf05da49
52
48
2023-10-21T00:24:33Z
Mordimoss
4
wikitext
text/x-wiki
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his moonbounce tag '''analyticalSwine''', he is option depicted with the Mcdonald's golden arches symbol rather than his true sign.
Skoozy joined the server on day one, claiming initially that "link said free trobux?" but it is later implied that he joined via spying on Paluli.
==Etymology==
Although "Skoozy" has many meanings in American english slang, his name was chosen as a purely random collection of sounds, rather than to be symbolic of his character. "Mcribb" was similarly chosen as a silly name, but was explored upon further as Skoozy has a deep rooted love for Mcdonald's. The name Mcribb may also be tied to Skoozy's lusus being a large pig, which could also be further referenced in his moonbounce tag "analyticalSwine". As troll tags are chosen by the character, it is assumed that Skoozy chose "analytical" because he prides that aspect of his personality, and "Swine" out of respect for his lusus.
==Biography==
===Early life===
Very little is known about Skoozy's early life, though it was alluded that he had longtime connections with the pirates. Later he is shown in [https://en.wikipedia.org/wiki/Flashback%20(narrative) flashbacks] to have worked with both [[Pyrrah Kappen|Pyrrah]] and with [[Calico Drayke|Calico's]] crew, despite the hatred between the two crews. It is also heavily implied that he is responsible for Paluli's mutated appearance, suggesting he somehow experimented with her before she emerged from the brooding caverns, despite the fact they are close in age.
===Act 1===
Skoozy initially does not reveal his true nature to those in the chatroom, and does his best to come across as a nonthreatening, albeit annoying, trickster.
1dfbfb898d16cfb43aa87e2b759d883469608043
56
52
2023-10-21T00:28:22Z
Mordimoss
4
wikitext
text/x-wiki
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his moonbounce tag '''analyticalSwine''', he is option depicted with the Mcdonald's golden arches symbol rather than his true sign.
Skoozy joined the server on day one, claiming initially that "link said free trobux?" but it is later implied that he joined via spying on Paluli.
==Etymology==
Although "Skoozy" has many meanings in American english slang, his name was chosen as a purely random collection of sounds, rather than to be symbolic of his character. "Mcribb" was similarly chosen as a silly name, but was explored upon further as Skoozy has a deep rooted love for Mcdonald's. The name Mcribb may also be tied to Skoozy's lusus being a large pig, which could also be further referenced in his moonbounce tag "analyticalSwine". As troll tags are chosen by the character, it is assumed that Skoozy chose "analytical" because he prides that aspect of his personality, and "Swine" out of respect for his lusus.
==Biography==
===Early life===
Very little is known about Skoozy's early life, though it was alluded that he had longtime connections with the pirates. Later he is shown in [https://en.wikipedia.org/wiki/Flashback%20(narrative) flashbacks] to have worked with both [[Pyrrah Kappen|Pyrrah]] and with [[Calico Drayke|Calico's]] crew, despite the hatred between the two crews. It is also heavily implied that he is responsible for Paluli's mutated appearance, suggesting he somehow experimented with her before she emerged from the brooding caverns, despite the fact they are close in age.
===Act 1===
Skoozy initially does not reveal his true nature to those in the chatroom, and does his best to come across as a nonthreatening, albeit annoying, trickster.
==Personality and Traits==
==Relationships==
==Trivia==
7acd1a538e185d195f493fe4da451224a8237d73
57
56
2023-10-21T00:30:19Z
Mordimoss
4
wikitext
text/x-wiki
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his [[Moonbounce|Moonbounce]] tag '''analyticalSwine''', he is option depicted with the Mcdonald's golden arches symbol rather than his true sign.
Skoozy joined the server on day one, claiming initially that "link said free trobux?" but it is later implied that he joined via spying on Paluli.
==Etymology==
Although "Skoozy" has many meanings in American english slang, his name was chosen as a purely random collection of sounds, rather than to be symbolic of his character. "Mcribb" was similarly chosen as a silly name, but was explored upon further as Skoozy has a deep rooted love for Mcdonald's. The name Mcribb may also be tied to Skoozy's lusus being a large pig, which could also be further referenced in his Moonbounce tag "analyticalSwine". As troll tags are chosen by the character, it is assumed that Skoozy chose "analytical" because he prides that aspect of his personality, and "Swine" out of respect for his lusus.
==Biography==
===Early life===
Very little is known about Skoozy's early life, though it was alluded that he had longtime connections with the pirates. Later he is shown in [https://en.wikipedia.org/wiki/Flashback%20(narrative) flashbacks] to have worked with both [[Pyrrah Kappen|Pyrrah]] and with [[Calico Drayke|Calico's]] crew, despite the hatred between the two crews. It is also heavily implied that he is responsible for Paluli's mutated appearance, suggesting he somehow experimented with her before she emerged from the brooding caverns, despite the fact they are close in age.
===Act 1===
Skoozy initially does not reveal his true nature to those in the chatroom, and does his best to come across as a nonthreatening, albeit annoying, trickster.
==Personality and Traits==
==Relationships==
==Trivia==
bd55494efb085a8f29a89a08a041ec5aa856d676
59
57
2023-10-21T00:32:46Z
Mordimoss
4
wikitext
text/x-wiki
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his [[Moonbounce|Moonbounce]] tag '''analyticalSwine''', he is option depicted with the Mcdonald's golden arches symbol rather than his true sign.
Skoozy joined the server on day one, claiming initially that "link said free trobux?" but it is later implied that he joined via spying on Paluli.
==Etymology==
Although "Skoozy" has many meanings in American english slang, his name was chosen as a purely random collection of sounds, rather than to be symbolic of his character. "Mcribb" was similarly chosen as a silly name, but was explored upon further as Skoozy has a deep rooted love for Mcdonald's. The name Mcribb may also be tied to Skoozy's lusus being a large pig, which could also be further referenced in his Moonbounce tag "analyticalSwine". As troll tags are chosen by the character, it is assumed that Skoozy chose "analytical" because he prides that aspect of his personality, and "Swine" out of respect for his lusus.
==Biography==
===Early life===
Very little is known about Skoozy's early life, though it was alluded that he had longtime connections with the pirates. Later he is shown in [https://en.wikipedia.org/wiki/Flashback%20(narrative) flashbacks] to have worked with both [[Pyrrah Kappen|Pyrrah]] and with [[Calico Drayke|Calico's]] crew, despite the hatred between the two crews. It is also heavily implied that he is responsible for Paluli's mutated appearance, suggesting he somehow experimented with her before she emerged from the brooding caverns, despite the fact they are close in age.
===Act 1===
Skoozy initially does not reveal his true nature to those in the chatroom, and does his best to come across as a nonthreatening, albeit annoying, trickster.
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
b3ae40c47a7d446ba57bd3753d005c5ac7aec477
Looksi Gumshu
0
9
17
2023-10-20T23:39:53Z
Wowzersbutnot
5
Created page with "Almond Cookie but TROLL"
wikitext
text/x-wiki
Almond Cookie but TROLL
70ebad5aa22d9689eb4f2f6c014e20c66057b5f7
39
17
2023-10-20T23:58:39Z
Wowzersbutnot
5
wikitext
text/x-wiki
Looksi Gumshu, also known by his Moonbounce handle phlegmaticInspector, is one of the trolls in RE: Symphony. His sign is Libza and he is SAD.
131ee3f171ec94618e1620e1bc7f0d250c50f1f1
49
39
2023-10-21T00:17:19Z
Wowzersbutnot
5
wikitext
text/x-wiki
Looksi Gumshu, also known by his Moonbounce handle phlegmaticInspector, is one of the trolls in RE: Symphony. His sign is Libza and he is SAD.
==Etymology==
Looksi Gumshu is based on the word 'Look-see' and 'Gumshoe'. Which ties into his occupation of being a Detective. For his handle, Phlegmatic means 'a person having an unemotional and stolidly calm disposition.' As Looksi usually has when he solves a case or his demeanor in general. Inspector is his occupation, for his city, New Troll City. His handle acronyms 'PI' is also a joke on the acronym for Private Investigator.
acde64cc973da8956acd909796b7892819831df3
50
49
2023-10-21T00:17:36Z
Wowzersbutnot
5
wikitext
text/x-wiki
'''Looksi Gumshu''', also known by his Moonbounce handle '''phlegmaticInspector''', is one of the trolls in RE: Symphony. His sign is Libza and he is SAD.
==Etymology==
Looksi Gumshu is based on the word 'Look-see' and 'Gumshoe'. Which ties into his occupation of being a Detective. For his handle, Phlegmatic means 'a person having an unemotional and stolidly calm disposition.' As Looksi usually has when he solves a case or his demeanor in general. Inspector is his occupation, for his city, New Troll City. His handle acronyms 'PI' is also a joke on the acronym for Private Investigator.
08ee1209e0b08bbb2a3d85402ace473a35e443d4
65
50
2023-10-21T00:36:26Z
Wowzersbutnot
5
wikitext
text/x-wiki
'''Looksi Gumshu''', also known by his Moonbounce handle '''phlegmaticInspector''', is one of the trolls in RE: Symphony. His sign is Libza and he is SAD.
==Etymology==
Looksi Gumshu is based on the word 'Look-see' and 'Gumshoe'. Which ties into his occupation of being a Detective. For his handle, Phlegmatic means 'a person having an unemotional and stolidly calm disposition.' As Looksi usually has when he solves a case or his demeanor in general. Inspector is his occupation, for his city, New Troll City. His handle acronyms 'PI' is also a joke on the acronym for Private Investigator.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
Design is based on Almond Cookie from Cookie Run.
944df6105754a11db282d917696d324bffbe8ffa
Anicca Shivuh
0
8
18
13
2023-10-20T23:40:08Z
Onepeachymo
2
wikitext
text/x-wiki
lesbian who has to Cope so hard all the time
{{infobox
|width = {{{width|300}}}
|scratch = {{{scratch|}}}
|Box title = {{{name|{{BASEPAGENAME}}}}}
|icon left = {{ #if: {{{symbol|}}}|{{{symbol}}} }}
|icon right = {{ #if: {{{symbol2|}}}|{{{symbol2}}} }}
|icon left pos left = {{{symbol pos left|-6}}}
|icon left pos top = {{{symbol pos top|-6}}}
|icon right pos right = {{{symbol2 pos right|-6}}}
|icon right pos top = {{{symbol2 pos top|-6}}}
|image = {{ #if:{{{image|}}} | File:{{{image}}} | {{ #if:{{{complex|}}} | | File:NoImage.gif }} }}
|image complex = {{ #if:{{{complex|}}}|{{nowrap|{{{complex}}}}} }}
|imagewidth = {{{imagewidth|250}}}
|caption = {{{caption|}}}
|bg-color = {{{bg-color|#E0E0E0}}}
|header =
{{ #if: {{{intro|}}}|
<table border="0" width="100%" height="0%" align="center">
<tr >
<td width="50%">{{{{{link|VE}}}|{{{intro}}}|Introduction Page}}</td>
{{ #if: {{{first|}}}|<td width="50%">{{VE|{{{first}}}|First Appearance}}</td>}}
</tr>
</table>
|{{ #if: {{{first|}}}|
<table border="0" width="100%" height="0%" align="center">
<tr >
<td width="100%">{{{{{link|VE}}}|{{{first}}}|First Appearance}}</td>
</tr>
</table>
}}
}}
|label1 = {{ #if: {{{aka|}}}| AKA }}
|info1 = {{{aka}}}
|label2 = {{ #if: {{{title|}}}|[[Mythological Roles|Title]] }}{{ #if: {{{aspect|}}}|[[Aspect|Emanant Aspect]] }}
|info2 = {{ #if: {{{title|}}}|{{{title}}} }}{{ #if: {{{aspect|}}}|{{{aspect}}} }}
|label3 = {{ #if: {{{age|}}}|<abbr title="As of current events of Vast Error.">Age</abbr>|}}
|info3 = {{{age}}}
|label4 = {{#if:{{{gender|{{{genid|}}}}}}|Gender Identity}}
|info4 = {{{gender|{{{genid}}}}}}
|label5 = {{ #if: {{{status|}}}|Status }}
|info5 = {{{status}}}
|label6 = {{ #if: {{{screenname|}}}| [[Skorpe|Screen Name]] }}
|info6 = {{{screenname}}}
|label7 = {{ #if: {{{style|}}}|[[Typing Quirk|Typing Style]] }}
|info7 = {{{style}}}
|label8 = {{ #if: {{{specibus|}}}|[[Strife Deck|Strife Specibi]] }}
|info8 = {{{specibus}}}
|label9 = {{ #if: {{{modus|}}}|[[Sylladex#Fetch Modi|Fetch Modus]] }}
|info9 = {{{modus}}}
|label10 = {{ #if: {{{relations|}}}|Relations }}
|info10 = {{{relations}}}
|label11 = {{ #if: {{{home|}}}|Live(s) in }}
|info11 = {{{home}}}
|label12 = {{ #if: {{{planet|}}}|[[Planets|Planet]] }}
|info12 = {{{planet}}}
|label13 = {{ #if: {{{music|}}}|Music }}
|info13 = {{{music}}}
|label14 =
|info14 = {{navbar|{{{name|{{BASEPAGENAME}}}}}/Infobox|float=right}}
|footer title = {{ #if: {{{skorpelogs|}}}|Chatlogs}}
|footer content = {{ #if: {{{skorpelogs|}}}|{{{skorpelogs}}}}}
}}<noinclude>
{{documentation}}
[[Category:Infobox templates]]
</noinclude>
7dca1a092313d901c2b440d70a31a3d7f931403e
20
18
2023-10-20T23:40:38Z
Onepeachymo
2
Replaced content with "lesbian who has to Cope so hard all the time"
wikitext
text/x-wiki
lesbian who has to Cope so hard all the time
3563c717380492334a26bdd3f4e1af499c3dd7dd
53
20
2023-10-21T00:24:46Z
Onepeachymo
2
wikitext
text/x-wiki
lesbian who has to Cope so hard all the time
Etymology
Biography
Personality and Traits
Relationships
Trivia
Gallery
433ebc133a1d96f9b4977cb584915a7f38ab214b
Ponzii
0
10
22
2023-10-20T23:41:44Z
Wowzersbutnot
5
Created page with "Just a little guy."
wikitext
text/x-wiki
Just a little guy.
19d5e8aae9693e72b6a827fe1f2b5032b69e7bd4
35
22
2023-10-20T23:56:09Z
Wowzersbutnot
5
wikitext
text/x-wiki
Ponzii ??????, also known by thier Moonbounce handle acquisitiveSupreme, is one of the trolls in RE: Symphony. Their fake symbol they wear is Tauricorn however, his true sign is Taurlo and they are just. a silly little thing. P)
650f3b5cd441fca14d619ba270b34b99abe35cf8
36
35
2023-10-20T23:56:28Z
Wowzersbutnot
5
wikitext
text/x-wiki
'''Ponzii ??????''', also known by thier Moonbounce handle '''acquisitiveSupreme''', is one of the trolls in RE: Symphony. Their fake symbol they wear is Tauricorn however, his true sign is Taurlo and they are just. a silly little thing. P)
25eaf2a8c3746cc3b55f2552cb6007a48c762862
44
36
2023-10-21T00:10:30Z
Wowzersbutnot
5
wikitext
text/x-wiki
'''Ponzii ??????''', also known by their Moonbounce handle '''acquisitiveSupreme''', is one of the trolls in RE: Symphony. Their fake symbol they wear is Tauricorn however, their true sign is Taurlo and they are just. a silly little thing. P)
==Etymology==
Ponzii is based on [[https://en.wikipedia.org/wiki/Ponzi_scheme|Ponzi Schemes]] as they are thief/scammer. For their handle, Acquisitive means 'excessively interested in acquiring money or material things.' Which ties into their obsession of money and other things they can get their hands on. Supreme for both a joke on the expensive brand 'Supreme' and that they're very good at stealing.
fb33d5aacdee85a24762f6837889c2dca71db19d
46
44
2023-10-21T00:11:19Z
Wowzersbutnot
5
wikitext
text/x-wiki
'''Ponzii ??????''', also known by their Moonbounce handle '''acquisitiveSupreme''', is one of the trolls in RE: Symphony. Their fake symbol they wear is Tauricorn however, their true sign is Taurlo and they are just. a silly little thing. P)
==Etymology==
Ponzii is based on Ponzi Schemes as they are thief/scammer. For their handle, Acquisitive means 'excessively interested in acquiring money or material things.' Which ties into their obsession of money and other things they can get their hands on. Supreme for both a joke on the expensive brand 'Supreme' and that they're very good at stealing.
81f25666070346f7e2332831496e9a297bc4bcd6
60
46
2023-10-21T00:32:53Z
Wowzersbutnot
5
wikitext
text/x-wiki
'''Ponzii ??????''', also known by their Moonbounce handle '''acquisitiveSupreme''', is one of the trolls in RE: Symphony. Their fake symbol they wear is Tauricorn however, their true sign is Taurlo and they are just. a silly little thing. P)
==Etymology==
Ponzii is based on Ponzi Schemes as they are a thief/scammer. For their handle, Acquisitive means 'excessively interested in acquiring money or material things.' Which ties into their obsession of money and other things they can get their hands on. Supreme for both a joke on the expensive brand 'Supreme' and that they're very good at stealing.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
f1ef680fd31265d274ceaf8c2afe28a7a126db53
Siette Aerien
0
6
26
11
2023-10-20T23:47:10Z
HowlingHeretic
3
wikitext
text/x-wiki
{{DISPLAYTITLE:Siette Aerien}}
{{/Infobox}}
'''Siette Aerien''', also known by her [[Moonbounce]] handle balefulAcrobat, is one of the [[troll]]s in ''[[Re:Symphony]]''.
==Etymology==
"Sova" means "owl" in many Slavic languages, matching Sova's lusus and frequent bird motifs. The full name Sovara may come from the Greek word ''σοβαρά'' (sovará), meaning "seriously". "Amalie" resembles ''Amélie'', a French given name meaning "work", and may also be a reference to the film and musical ''Amélie'', a story about a young girl who decides to change the lives of those around her for the better while struggling with her own isolation.
==Biography==
===Early life===
According to her introduction, she spent most of her life after school "caged" in a manner she doesn't like to talk about. She later escaped her captivity, and with the help of [[Laivan Ferroo]] and [[Serpaz Helilo]], made herself a new home in a secluded cabin out in the woods.
===Act 1===
Sova sends concerned messages to [[Albion Shukra|her matesprit]] over the course of the entry night, which Albion reads after her fateful revelation from the Star Guardian but does not reply to.
===Act 2===
Sova first speaks in Act 2 when she responds to [[Ellsee Raines|Ellsee]]'s memo, {{VE Quote|ellsee|Rinkadink Thinking TimΣ}}, offering to help decipher the information contained in her ancestral tome. In this same memo, she also catches up with Laivan and Serpaz.
Later, Albion messages her to apologize for not responding to her earlier messages. As she shares her worries, Sova reassures Albion that she can't bring herself to be mad at her. Sova then tells Albion that she loves her, and that {{VE Quote|sova|that is all that matters}}. Albion agrees with her.
After {{VE|641|2=[S] Engage.}} we are shown Sova's formal introduction page. She receives a message from an enthusiastic Serpaz, who's happy that the two of them will be spending time together because of the Game. As they chat, Serpaz calls Sova {{VE Quote|serpaz|a total angel!!!}}, a term which triggers Sova's memories of [[Dexous]], her former "caretaker". Serpaz urges her to let the past go, but fails to properly assuage Sova's distress.
In need of a distraction, Sova decides to read the latest scroll Albion has translated for her: a recounting penned by [[The Annalist|the Annalist]] of a parable told to her by [[Zekura Raines|The Vivifier]]. Before Sova can finish her reading, however, she is interrupted by a loud rumble coming from outside her hive. Thinking it might be her lusus, Cooperi, she decides to investigate, but is met with a dark, wispy creature standing by her window instead.
She goes inside her sanitization block to hide, checking Ellsee's second memo and asking the others about the strange monsters lurking outside, though she is interrupted by a message from [[Occeus Coliad]] before she can get very far. They have a brief chat and he advises her to "clear her sight" and ignore the creatures, as they {{VE Quote|occeus|thrive .o.n y.o.ur attenti.o.n}}.
She is contacted by [[Edolon Vryche]] shortly after he restrains Serpaz in order to expedite her entry process, though not much of their conversation is shown. Later, Sova is seen talking to an anxious [[Jentha Briati]] as Cooperi fends off the Abyss creatures, while they try to work through her entry process.
Sova successfully enters [[the Medium]] during {{VE|1000|2=[S] Ellsee: Enter.}} Her talk with her denizen is not shown.
===Act 3 Act 1===
The act opens with a dream sequence, as Sova navigates a nightmarish space that leads toward a huge steel birdcage. She is jolted awake by a series of [[Gaiaeon|ominous whispers]], having gone back to her hive after speaking to her [[Jegudial|denizen]]. Sova then travels back to the Medium, where her planet, the [[Land of Daze and Lattice]], is revealed.
[[Metatron]] is there to greet her, and they discuss the game, Sova's potential journey through it, and Jegudial, her denizen. After some prompting from Metatron, Sova agrees to show him some of her writing, an in-progress script of a play called ''[[Upon the Twelfth Hour]]''. As she wraps up the reading, a Skorpe notification pops up, letting her know that [[Arcjec Voorat|Arcjec]] created a new memo. She catches up with the other players, as they discuss the events of the past day and their progress through the Game so far.
==Personality and Traits==
Compassionate and forgiving, Sova is an avid reader and history buff who always tries to see the best in people, being quite fond of musical theater and stage plays. She dabbles in playwriting herself, holding a deep passion for the craft but being too self-conscious to share her work with her friends.
Due to a sheltered upbringing, she considers herself socially hindered, having not had extensive interactions with other trolls for most of her youth and often misusing common turns of phrase. Sova is also "a bit of an emotional pushover who puts other people before herself."<ref>{{citeSocial|tumblr|whosaid=@VastError|url=http://vasterror.tumblr.com/post/176074032714/you-should-give-us-a-little-insight-into-the-least}}</ref>
It has been implied that Sova deals with PTSD due to her difficult past with Dexous.
==Relationships==
===Dexous===
[[File:00657.gif|alt=|thumb|220x220px|Sova in Dexous' captivity.]]
Sova has a difficult past with [[Dexous]]. It is implied that Dexous forced Sova to sing for him and an audience, eventually causing her to develop post-traumatic stress disorder. Reminders of Dexous, such as the word "angel", can trigger Sova, leading her to emotionally withdraw and experience flashbacks.
===Jentha Briati===
[[Jentha Briati|Jentha]] is Sova's server player. Not much is known about their relationship, though they have cooperated during Sova's entry process. Sova has shown concern for Jentha even when being brushed off, and Jentha has snidely referred to Sova as {{VE Quote|jentha|the one who c cares so much about e everyone}}.
==Trivia==
*Sova's chat handle, {{VE Quote|sovara|sanguineAllegory}}, means "red story", with sanguine meaning "blood red" and an allegory being "a story, poem, or picture that can be interpreted to reveal a hidden meaning, typically a moral or political one".
*Sova and [[Albion Shukra|Albion]] are the only two members of the main cast who enjoy pineapple on pizza.<ref>{{CiteSocial|platform=tumblr|whosaid=@VastError|link=http://vasterror.tumblr.com/post/176072626039/heres-some-real-discourse-which-of-the-ve-cast}}</ref>
*Being a Derse dreamer, a redblood and a Hero of Heart, Sova's would-be extended zodiac sign is [http://hs.hiveswap.com/ezodiac/truesign.php?TS=Aro Aro, Sign of the Lost.]
*Albion and Sova run a joint Filler account under the username blissfullyharmonic.
**They sign off their posts as *mod*starshine* and (MOD CHORINE), respectively.
==Gallery==
<gallery position="center" widths="185">
File:Sova young.png|Young Sova
File:Sova seeing gregg.png|Sova pre-game
File:Sova holding locket.png|Sova preparing to enter
File:Sova and albion filler account.jpg|Sova and Albion's Filler account
File:TD Sova.png|Sova's trollodex card
File:Sova Pureself.png|[[Pure Self]] Sova from an [[Known_Probabilities#Alt.21Murrit:_FAST-FORWARD.|alternate probability]]
</gallery>
bb6db672f82f9f4bd10760f853c6a4d022cc6fe6
45
26
2023-10-21T00:11:17Z
HowlingHeretic
3
wikitext
text/x-wiki
{{DISPLAYTITLE:Siette Aerien}}
{{/Infobox}}
'''Siette Aerien''', also known by her [[Moonbounce]] handle balefulAcrobat, is one of the [[troll]]s in ''[[Re:Symphony]]''. Her sign is true Capricorn, or SIGN OF THE CAPRICIOUS, and she is a Witch of Rage. She is an aerial silk dancer.
Siette joined the server on 8/20/2021. She found a piece of paper with the link written on it tucked into her silks.
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
===Mabuya Arnava===
Mabuya is Siette's matesprit.
==Trivia==
*Siette's chat handle, balefulAcrobat, means "killer clown." Baleful, in this context, is used with the definition of, "Full of deadly or pernicious influence; destructive." Acrobat here is used with the in-universe context of most- if not all -circus performers being Purple bloods.
==Gallery==
<gallery position="center" widths="185">
</gallery>
cbfb418a0f66f171231a671e02a5e8742408a1f9
47
45
2023-10-21T00:13:21Z
HowlingHeretic
3
wikitext
text/x-wiki
{{DISPLAYTITLE:Siette Aerien}}
'''Siette Aerien''', also known by her [[Moonbounce]] handle balefulAcrobat, is one of the [[troll]]s in ''[[Re:Symphony]]''. Her sign is true Capricorn, or SIGN OF THE CAPRICIOUS, and she is a Witch of Rage. She is an aerial silk dancer.
Siette joined the server on 8/20/2021. She found a piece of paper with the link written on it tucked into her silks.
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
===Mabuya Arnava===
Mabuya is Siette's matesprit.
==Trivia==
*Siette's chat handle, balefulAcrobat, means "killer clown." Baleful, in this context, is used with the definition of, "Full of deadly or pernicious influence; destructive." Acrobat here is used with the in-universe context of most- if not all -circus performers being Purple bloods.
==Gallery==
<gallery position="center" widths="185">
</gallery>
3b53e16c66bdeb2fb2fb9e058c5a2eed10944065
61
47
2023-10-21T00:34:25Z
HowlingHeretic
3
wikitext
text/x-wiki
{{DISPLAYTITLE:Siette Aerien}}
'''Siette Aerien''', also known by her [[Moonbounce]] handle balefulAcrobat, is one of the [[troll]]s in ''[[Re:Symphony]]''. Her sign is true Capricorn, or SIGN OF THE CAPRICIOUS, and she is a Witch of Rage. She is an aerial silk dancer.
Siette joined the server on 8/20/2021. She found a piece of paper with the link written on it tucked into her silks.
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
===Mabuya Arnava===
Mabuya is Siette's matesprit.
==Trivia==
*Siette's chat handle, balefulAcrobat, means "killer clown." Baleful, in this context, is used with the definition of, "Harmful or malignant in intent or effect. " Acrobat here is used with the in-universe context of most- if not all -circus performers being Purple bloods.
==Gallery==
<gallery position="center" widths="185">
</gallery>
7c27e7643ad5199bc4dbe7b0d179b393560a8e4c
Pyrrah Kappen
0
11
27
2023-10-20T23:47:17Z
Wowzersbutnot
5
Created page with "Bit me :("
wikitext
text/x-wiki
Bit me :(
56931dc8f7f5a3c02ab4aa6584976c02d5a0bb76
31
27
2023-10-20T23:51:33Z
Wowzersbutnot
5
wikitext
text/x-wiki
Pyrrah Kappen, also known by her Moonbounce handle orchidHuntress, is one of the trolls in RE: Symphony. Her symbol is Aquiun and she is a cold and stoic bounty hunter that works for the empress.
117ffd962e8920bd1c10e5041bb5a0d314d8f77d
32
31
2023-10-20T23:51:48Z
Wowzersbutnot
5
wikitext
text/x-wiki
'''Pyrrah Kappen''', also known by her Moonbounce handle '''orchidHuntress''', is one of the trolls in RE: Symphony. Her symbol is Aquiun and she is a cold and stoic bounty hunter that works for the empress.
3cd1898bfb1e95a1c96f07d5acd0462c19cc0f5a
42
32
2023-10-21T00:03:46Z
Wowzersbutnot
5
wikitext
text/x-wiki
'''Pyrrah Kappen''', also known by her Moonbounce handle '''orchidHuntress''', is one of the trolls in RE: Symphony. Her symbol is Aquiun and she is a cold and stoic bounty hunter that works for the empress.
==Etymology==
Pyrrah Kappen is a joke on the words 'Pirate Captain'. While she is a bounty hunter, she does have a huge disdain for pirates. For her handle, Orchid comes from the shade of violet and Huntress was from. well. Bounty Hunter.
7c708e9dc994ab4dffd43b4a759c281d9b20791b
51
42
2023-10-21T00:22:57Z
Wowzersbutnot
5
wikitext
text/x-wiki
'''Pyrrah Kappen''', also known by her Moonbounce handle '''orchidHuntress''', is one of the trolls in RE: Symphony. Her symbol is Aquiun and she is a cold and stoic bounty hunter that works for the empress.
==Etymology==
Pyrrah Kappen is a joke on the words 'Pirate Captain'. While she is a bounty hunter, she does have a huge disdain for pirates. For her handle, orchid comes from the shade of violet and Huntress was from. well. Bounty Hunter.
7227eef2f9d35b680dff85c6dfb8e5cc77836c17
58
51
2023-10-21T00:31:45Z
Wowzersbutnot
5
wikitext
text/x-wiki
'''Pyrrah Kappen''', also known by her Moonbounce handle '''orchidHuntress''', is one of the trolls in RE: Symphony. Her symbol is Aquiun and she is a cold and stoic bounty hunter that works for the empress.
==Etymology==
Pyrrah Kappen is a joke on the words 'Pirate Captain'. While she is a bounty hunter, she does have a huge disdain for pirates. For her handle, orchid comes from the shade of violet and Huntress was from. well. Bounty Hunter.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
06c2b9dcb62e4a12d83b4aee8e060cba9349cdd3
63
58
2023-10-21T00:36:11Z
Wowzersbutnot
5
wikitext
text/x-wiki
'''Pyrrah Kappen''', also known by her Moonbounce handle '''orchidHuntress''', is one of the trolls in RE: Symphony. Her symbol is Aquiun and she is a cold and stoic bounty hunter that works for the empress.
==Etymology==
Pyrrah Kappen is a joke on the words 'Pirate Captain'. While she is a bounty hunter, she does have a huge disdain for pirates. For her handle, orchid comes from the shade of violet and Huntress was from. well. Bounty Hunter.
==Biography==
==Personality and Traits==
==Relationships==
===[[Calico Drayke]]===
Has this bitch kidnapped on her ship to turn in for profit.
==Trivia==
b28fba8029164fb098355fb4b81cde1e39877f3e
67
63
2023-10-21T01:09:24Z
Wowzersbutnot
5
wikitext
text/x-wiki
'''Pyrrah Kappen''', also known by her [[Moonbounce]] handle '''orchidHuntress''', is one of the trolls in RE: Symphony. Her symbol is Aquiun and she is a cold and stoic bounty hunter that works for the empress.
She joined on 5/15/2023 after many attempts of messages in bottles or other means, a paper flew in after successfully kidnapping Calico.
==Etymology==
Pyrrah Kappen is a joke on the words 'Pirate Captain'. While she is a bounty hunter, she does have a huge disdain for pirates. For her handle, orchid comes from the shade of violet and Huntress was from. well. Bounty Hunter.
==Biography==
==Personality and Traits==
==Relationships==
===[[Calico Drayke]]===
Has this bitch kidnapped on her ship to turn in for profit.
==Trivia==
ec58aa9257a5a86018a05ed6a8acbd8d55970bfb
68
67
2023-10-21T01:09:49Z
Wowzersbutnot
5
wikitext
text/x-wiki
'''Pyrrah Kappen''', also known by her [[Moonbounce]] handle '''orchidHuntress''', is one of the trolls in RE: Symphony. Her symbol is Aquiun and she is a cold and stoic bounty hunter that works for the empress.
Pyrrah joined on 5/15/2023 after many attempts of messages in bottles or other means, a paper flew in after successfully kidnapping Calico.
==Etymology==
Pyrrah Kappen is a joke on the words 'Pirate Captain'. While she is a bounty hunter, she does have a huge disdain for pirates. For her handle, orchid comes from the shade of violet and Huntress was from. well. Bounty Hunter.
==Biography==
==Personality and Traits==
==Relationships==
===[[Calico Drayke]]===
Has this bitch kidnapped on her ship to turn in for profit.
==Trivia==
fac3a6e7304ca1681d55d40b8716ac65e26d002d
Moonbounce
0
12
29
2023-10-20T23:49:34Z
Onepeachymo
2
Created page with "'''Moonbounce''' is a mysterious chat client that allows the trolls to communicate over the internet."
wikitext
text/x-wiki
'''Moonbounce''' is a mysterious chat client that allows the trolls to communicate over the internet.
c82a8f48eae811b96cfc786a153f786eab0925e8
33
29
2023-10-20T23:52:18Z
Onepeachymo
2
wikitext
text/x-wiki
'''Moonbounce''' is a mysterious chat client that allows the [[Troll|trolls]] to communicate over the internet.
5808dfd2a9b9e4914f1c2acd544f26c99a6a7cc4
Troll
0
13
30
2023-10-20T23:51:13Z
Onepeachymo
2
Created page with "'''Trolls''' are an alien race from the webcomic ''Homestuck''. They are the prominent race of Re:Symphony and live on the planet Alternia."
wikitext
text/x-wiki
'''Trolls''' are an alien race from the webcomic ''Homestuck''. They are the prominent race of Re:Symphony and live on the planet Alternia.
cc917ec468324b319daa1eb32db85bb56727a445
Salang Lyubov
0
7
54
12
2023-10-21T00:24:55Z
Onepeachymo
2
wikitext
text/x-wiki
little love gayboy
Etymology
Biography
Personality and Traits
Relationships
Trivia
Gallery
88a437cc732a0ec0ba00c9d224b3d2b6a631130f
Calico Drayke
0
2
55
4
2023-10-21T00:25:15Z
Onepeachymo
2
wikitext
text/x-wiki
'''Calico Drayke''', also known by his [[Moonbounce|Moonbounce]] tag, languidMarauder. His sign is Aquiun and he is the pirate captain upon the ''Lealda's Dream''.
He joined the server on 9/22/2021, after finding a message in a bottle that contained the link to the server along with Tewkid.
Etymology
"Calico" was taken from the first name of the pirate "Calico Jack" and "Drayke" comes from the surname of the pirate "Francis Drake".
Languid, from his username, is taken from his smooth and relatively easy-going personality, while Marauder is a clear reference to his ancestor.
Biography
on a pirate ship
Personality and Traits
gay
Relationships
Trivia
Gallery
d9598f8fcc8d1381795d2df6fca71dbefc746926
Paluli Anriqi
0
14
62
2023-10-21T00:35:31Z
Mordimoss
4
Created page with "just a little gal ==Etymology== ==Biography== ==Personality and Traits== ==Relationships== ==Trivia== ==Gallery=="
wikitext
text/x-wiki
just a little gal
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
fa24288f6742a8ed23b81bfdbbae802fab696890
Tewkid Bownes
0
15
64
2023-10-21T00:36:19Z
Mordimoss
4
Created page with " the saddest pirate in the world ==Etymology== ==Biography== ==Personality and Traits== ==Relationships== ==Trivia== ==Gallery=="
wikitext
text/x-wiki
the saddest pirate in the world
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
78e0e58654889bdae7b29377f308c6b08586da4b
69
64
2023-10-21T01:11:25Z
Mordimoss
4
wikitext
text/x-wiki
'''Tewkid Bownes''', known also by his [[Moonbounce]] tag, domesticRover, is one of the major pirate characters of Re:Symphony. Tewkid is the second in command on the ship ''Lealda's Dream'', he is directly under [[Calico Drayke|Calico]] on the ships hierarchy. He joined on 9/22/2021, immediately after Calico.
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
21afcd17ae89db65cdb912628494df9ecb6cc8f3
Guppie Suamui
0
16
66
2023-10-21T00:37:28Z
Mordimoss
4
Created page with "royal bitch ==Etymology== ==Biography== ==Personality and Traits== ==Relationships== ==Trivia== ==Gallery=="
wikitext
text/x-wiki
royal bitch
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
e2f70810c0612ab339df0f867769598294ffcdad
Siette Aerien
0
6
70
61
2023-10-21T01:11:46Z
HowlingHeretic
3
wikitext
text/x-wiki
{{DISPLAYTITLE:Siette Aerien}}
'''Siette Aerien''', also known by her [[Moonbounce]] handle balefulAcrobat, is one of the [[troll]]s in ''[[Re:Symphony]]''. Her sign is true Capricorn, or SIGN OF THE CAPRICIOUS, and she is a Witch of Rage. She is an aerial silk dancer.
Siette joined the server on 8/20/2021. She found a piece of paper with the link written on it tucked into her silks.
==Etymology==
Siette's first name comes from the word, "slette," which means to eradicate, or remove. Originally, her name was Slette, but after a misread, the name was changed to Siette for better readability. Her last name, Aerien, is an altered version of aerial, which is in reference to her aerial silk performance in the circus.
Siette's chat handle, balefulAcrobat, means "killer clown." Baleful, in this context, is used with the definition of, "Harmful or malignant in intent or effect. " Acrobat here is used with the in-universe context of most- if not all -circus performers being Purple bloods. Siette, while efficient, is not known for her subtlety.
==Biography==
==Personality and Traits==
==Relationships==
===Mabuya Arnava===
Mabuya is Siette's matesprit.
==Trivia==
==Gallery==
<gallery position="center" widths="185">
</gallery>
11bbe430d65ed3a3cdfec1ca706d78575ded58a3
71
70
2023-10-21T01:24:06Z
HowlingHeretic
3
wikitext
text/x-wiki
{{DISPLAYTITLE:Siette Aerien}}
'''Siette Aerien''', also known by her [[Moonbounce]] handle balefulAcrobat, is one of the [[troll]]s in ''[[Re:Symphony]]''. Her sign is true Capricorn, or SIGN OF THE CAPRICIOUS, and she is a Witch of Rage. She is an aerial silk dancer.
Siette joined the server on 8/20/2021. She found a piece of paper with the link written on it tucked into her silks.
==Etymology==
Siette's first name comes from the word, "slette," which means to eradicate, or remove. Originally, her name was Slette, but after a misread, the name was changed to Siette for better readability. Her last name, Aerien, is an altered version of aerial, which is in reference to her aerial silk performance in the circus.
Siette's chat handle, balefulAcrobat, means "killer clown." Baleful, in this context, is used with the definition of, "Harmful or malignant in intent or effect. " Acrobat here is used with the in-universe context of most- if not all -circus performers being Purple bloods. Siette, while efficient, is not known for her subtlety.
==Biography==
===Early Life===
Siette was adopted by a troll only known as the Priestess, following her discovering her and her lusus. Siette's lusus, affectionately named Lily, was beaten and bloody, presumably found after a battle defending grub-Siette. Siette was raised in the church, under the close tutelage of her Priestess. Siette was taught the ways of the Mirthful Messiahs, and was trained to be an efficient killer. Siette performed part-time in a circus as well, as an [https://en.wikipedia.org/wiki/Aerial_silk aerial silk dancer]
==Personality and Traits==
==Relationships==
===Mabuya Arnava===
Mabuya is Siette's matesprit.
==Trivia==
==Gallery==
<gallery position="center" widths="185">
</gallery>
6f4ded6b79daa6228c5c33602e8d4f611d47fd39
Tewkid Bownes
0
15
72
69
2023-10-21T01:45:58Z
Mordimoss
4
wikitext
text/x-wiki
'''Tewkid Bownes''', known also by his [[Moonbounce]] tag, domesticRover, is one of the major pirate characters of Re:Symphony. Tewkid is the second in command on the ship ''Lealda's Dream'', he is directly under [[Calico Drayke|Calico]] on the ships hierarchy. He joined on 9/22/2021, immediately after Calico.
==Etymology==
Tewkid's name comes from a handful of sources, "tew" coming from English privateer-turned-pirate "Thomas Tew" and "kid" coming from the Scottish privateer "William Kidd". "bownes" being a play on the spelling of "bones", as bone imagery and symbols are often tied with pirates and the pirate lifestyle. In his Moonbounce tag, domestic is in reference to Tewkid's various interests in typically domestic hobbies an activities such as cooking, sewing and embroidery. However domestic is also in reference to someone who stays put and does not wander, which is in direct contradiction to the second part of his tag which is Rover, which is someone who wanders and does not stay in one place. Rover is in reference to his life as a pirate and traveling across the seas, but the inherent contradiction of his tag can be interpreted as representative of the many conflicts he experiences both internally and externally, as he finds himself struggling to understand his place.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
66af179199e54b23e083b968418a27d4f813012f
73
72
2023-10-21T01:49:13Z
Mordimoss
4
wikitext
text/x-wiki
'''Tewkid Bownes''', known also by his [[Moonbounce]] tag, domesticRover, is one of the major pirate characters of Re:Symphony. Tewkid is the second in command on the ship ''Lealda's Dream'', he is directly under [[Calico Drayke|Calico]] on the ships hierarchy. He joined on 9/22/2021, immediately after Calico.
==Etymology==
Tewkid's name comes from a handful of sources, "tew" coming from English privateer-turned-pirate "[https://en.wikipedia.org/wiki/Thomas_Tew Thomas Tew]" and "kid" coming from the Scottish privateer "[https://en.wikipedia.org/wiki/William_Kidd William Kidd]". "bownes" being a play on the spelling of "bones", as bone imagery and symbols are often tied with pirates and the pirate lifestyle. In his Moonbounce tag, domestic is in reference to Tewkid's various interests in typically domestic hobbies an activities such as cooking, sewing and embroidery. However domestic is also in reference to someone who stays put and does not wander, which is in direct contradiction to the second part of his tag which is Rover, which is someone who wanders and does not stay in one place. Rover is in reference to his life as a pirate and traveling across the seas, but the inherent contradiction of his tag can be interpreted as representative of the many conflicts he experiences both internally and externally, as he finds himself struggling to understand his place.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
9bf785642295b2bc8fcaaf4c8d17cb81101513ec
75
73
2023-10-21T01:57:50Z
Mordimoss
4
wikitext
text/x-wiki
'''Tewkid Bownes''', known also by his [[Moonbounce]] tag, '''domesticRover''', is one of the major pirate characters of Re:Symphony. Tewkid is the second in command on the ship ''Lealda's Dream'', he is directly under [[Calico Drayke|Calico]] on the ships hierarchy. He joined on 9/22/2021, immediately after Calico.
==Etymology==
Tewkid's name comes from a handful of sources, "tew" coming from English privateer-turned-pirate "[https://en.wikipedia.org/wiki/Thomas_Tew Thomas Tew]" and "kid" coming from the Scottish privateer "[https://en.wikipedia.org/wiki/William_Kidd William Kidd]". "bownes" being a play on the spelling of "bones", as bone imagery and symbols are often tied with pirates and the pirate lifestyle. In his Moonbounce tag, domestic is in reference to Tewkid's various interests in typically domestic hobbies an activities such as cooking, sewing and embroidery. However domestic is also in reference to someone who stays put and does not wander, which is in direct contradiction to the second part of his tag which is Rover, which is someone who wanders and does not stay in one place. Rover is in reference to his life as a pirate and traveling across the seas, but the inherent contradiction of his tag can be interpreted as representative of the many conflicts he experiences both internally and externally, as he finds himself struggling to understand his place.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
02cbca8dfb5c1e7bd85b356a689fd40327b50a46
101
75
2023-10-21T04:32:30Z
Mordimoss
4
wikitext
text/x-wiki
'''Tewkid Bownes''', known also by his [[Moonbounce]] tag, '''domesticRover''', is one of the major pirate characters of Re:Symphony. Tewkid is the second in command on the ship ''Lealda's Dream'', he is directly under [[Calico Drayke|Calico]] on the ships hierarchy. He joined on 9/22/2021, immediately after Calico.
==Etymology==
Tewkid's name comes from a handful of sources, "tew" coming from English privateer-turned-pirate "[https://en.wikipedia.org/wiki/Thomas_Tew Thomas Tew]" and "kid" coming from the Scottish privateer "[https://en.wikipedia.org/wiki/William_Kidd William Kidd]". "bownes" being a play on the spelling of "bones", as bone imagery and symbols are often tied with pirates and the pirate lifestyle. In his Moonbounce tag, domestic is in reference to Tewkid's various interests in typically domestic hobbies an activities such as cooking, sewing and embroidery. However domestic is also in reference to someone who stays put and does not wander, which is in direct contradiction to the second part of his tag which is Rover, which is someone who wanders and does not stay in one place. Rover is in reference to his life as a pirate and traveling across the seas, but the inherent contradiction of his tag can be interpreted as representative of the many conflicts he experiences both internally and externally, as he finds himself struggling to understand his place.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<gallery>
File:Tewkid talksprite.gif|he's talking :)
</gallery>
34220ec58307fa271b8aa27408fdec2fca732c02
103
101
2023-10-21T04:33:18Z
Mordimoss
4
wikitext
text/x-wiki
'''Tewkid Bownes''', known also by his [[Moonbounce]] tag, '''domesticRover''', is one of the major pirate characters of Re:Symphony. Tewkid is the second in command on the ship ''Lealda's Dream'', he is directly under [[Calico Drayke|Calico]] on the ships hierarchy. He joined on 9/22/2021, immediately after Calico.
==Etymology==
Tewkid's name comes from a handful of sources, "tew" coming from English privateer-turned-pirate "[https://en.wikipedia.org/wiki/Thomas_Tew Thomas Tew]" and "kid" coming from the Scottish privateer "[https://en.wikipedia.org/wiki/William_Kidd William Kidd]". "bownes" being a play on the spelling of "bones", as bone imagery and symbols are often tied with pirates and the pirate lifestyle. In his Moonbounce tag, domestic is in reference to Tewkid's various interests in typically domestic hobbies an activities such as cooking, sewing and embroidery. However domestic is also in reference to someone who stays put and does not wander, which is in direct contradiction to the second part of his tag which is Rover, which is someone who wanders and does not stay in one place. Rover is in reference to his life as a pirate and traveling across the seas, but the inherent contradiction of his tag can be interpreted as representative of the many conflicts he experiences both internally and externally, as he finds himself struggling to understand his place.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<gallery>
File:Tewkid1.gif|he's talking :)
</gallery>
4ccb076a14afb6dcb706b63499f75a096362cfb1
Troll Britain
0
17
74
2023-10-21T01:53:26Z
Katabasis
6
Created page with "Some trolls, such as [[Barise Klipse]] and [[Knight Galfry]], are, unfortunately, from a location known as Troll Britain. Troll Britain is very similar to a location on [https://en.wikipedia.org/wiki/Earth Earth] called [https://en.wikipedia.org/wiki/Hell Earth Britain]."
wikitext
text/x-wiki
Some trolls, such as [[Barise Klipse]] and [[Knight Galfry]], are, unfortunately, from a location known as Troll Britain.
Troll Britain is very similar to a location on [https://en.wikipedia.org/wiki/Earth Earth] called [https://en.wikipedia.org/wiki/Hell Earth Britain].
12dd686d60f16a01e9407b6a67f1def2cc453d1c
Knight Galfry
0
18
76
2023-10-21T02:08:04Z
Katabasis
6
Created page with "== Knight Galfry == Knight Galfry, possesséd of the [[Moonbounce]] username chivalrousCavalier, is one of the [[trolls]] in [[Re:Symphony]]. She is approximately nine solar sweeps old, although her exact birthdate is unknown, and she is a Knight of Hope, and - formerly - a prospit dreamer. Her ancestor was [[The Fortress]]. Her lusus was a chitinous barkingbeast, whom used to belong to her ancestor. She mercy killed it on its request some time during her late teenagehoo..."
wikitext
text/x-wiki
== Knight Galfry ==
Knight Galfry, possesséd of the [[Moonbounce]] username chivalrousCavalier, is one of the [[trolls]] in [[Re:Symphony]]. She is approximately nine solar sweeps old, although her exact birthdate is unknown, and she is a Knight of Hope, and - formerly - a prospit dreamer. Her ancestor was [[The Fortress]]. Her lusus was a chitinous barkingbeast, whom used to belong to her ancestor. She mercy killed it on its request some time during her late teenagehood.
Knight joined the conference on 4/8/2023 (British notation), when she found a mysterious satellite dish on the shore of the island she lives, and is imprisoned, on.
==Etymology==
'Knight' is a noun usually referring to an armoured individual from the medieval era. 'Galfry' is a corruption of 'Belfry', a reference to the two Belfry areas in Dark Souls II. 'Gal' can also be used as a slang term for a girl.
Given that Knight's ancestor's birth name was Knight Avalon, it can be assumed that the first name carries the ancestral significance in Knight's line, in inverse of typical [[Alternia]]n tradition.
==Biography==
===== Early Life =====
Knight does not recall any of her life prior to turning five sweeps of age.
===== Present =====
Knight lives on an island slightly off the coast of the [[Sovereign Shores]], alone. She maintains regular contact with the [[Moonbounce]] group chat via a shaky internet connection, which is frequently interrupted by the violent storms which plague her island. She is able to leave the island, in short distances, via a hoverbike constructed for her by [[Leksee Sirrus]].
==Personality and Traits==
Knight is a very boisterous and cavalier individual, who, verbally, speaks in a dialect that is approximately fit for the 18th or 19th centuries. However, she uses a fully archaic set of pronouns, such as 'thee', 'thy', 'thou', and their permutations. She also occasionally uses the royal 'one', 'oneself', and 'we'. She appends c=|===> to the beginning of her messages, types in all capitals, and bolds her text. These permutations disappear when she speaks without her helmet on, which is rarely.
Knight is blind in her right eye, and has many scars, due to several mutant genes. She is, however, almost impossible to kill.
Knight is afflicted with an intense paranoia that those around her dislike her or are plotting to kill her. This has been recently worsened by the [[Skoozeye]].
==Relationships==
[[Tewkid Bownes]] gifted Knight his old palmhusk. She believes that he hates her, due to an unfortunate overextension of taste during their first meeting.
[[Siinix Auctor]] maintains regular communiqué with Knight via a pen-pal scheme. Knight has a red crush on her.
[[Awoole Fenrir]] tolerates Knight. She is the only blueblood that this tolerance applies to.
[[Leksee Sirrus]] built Knight a hoverbike. Knight has a mixed pale-red crush on him.
[[Aquett Aghara]] irritates Knight to no end, but he is very hot, and she has a black crush on him.
Knight considers [[Barise Klipse]], [[Mabuya Arnava]], [[Serceu Vasper]], [[Miette]], [[Siette Airien]] and [[Harfil Myches]] to be friends of hers.
Knight dislikes [[Auryyx Osimos]], [[Skoozy McRibb]], [[Guppie Suyami] and [[Anatta Tereme]].
Knight thinks she has burned her bridges with [[Anicca Shivuh]], [[Tewkid Bownes]], [[Harfil Myches]], and [[Shikki]]. It is unclear if she is correct in this assumption.
==Trivia==
* Knight does not remove her armour anymore due to the presence of the Skoozeye.
* Knight is in denial about being gay.
* Knight's blood colour is millimeters away from her being considered a Purpleblood.
* Knight could take Aquett.
==Gallery==
61a3f9a4f857633612afc1e1b05e1193129ba491
77
76
2023-10-21T02:09:09Z
Katabasis
6
wikitext
text/x-wiki
== Knight Galfry ==
Knight Galfry, possesséd of the [[Moonbounce]] username chivalrousCavalier, is one of the [[trolls]] in [[Re:Symphony]]. She is approximately nine solar sweeps old, although her exact birthdate is unknown, and she is a Knight of Hope, and - formerly - a prospit dreamer. Her ancestor was [[The Fortress]]. Her lusus was a chitinous barkingbeast, whom used to belong to her ancestor. She mercy killed it on its request some time during her late teenagehood.
Knight joined the conference on 4/8/2023 ([[British]] notation), when she found a mysterious satellite dish on the shore of the island she lives, and is imprisoned, on.
==Etymology==
'Knight' is a noun usually referring to an armoured individual from the medieval era. 'Galfry' is a corruption of 'Belfry', a reference to the two Belfry areas in Dark Souls II. 'Gal' can also be used as a slang term for a girl.
Given that Knight's ancestor's birth name was Knight Avalon, it can be assumed that the first name carries the ancestral significance in Knight's line, in inverse of typical [[Alternia]]n tradition.
==Biography==
===== Early Life =====
Knight does not recall any of her life prior to turning five sweeps of age.
===== Present =====
Knight lives on an island slightly off the coast of the [[Sovereign Shores]], alone. She maintains regular contact with the [[Moonbounce]] group chat via a shaky internet connection, which is frequently interrupted by the violent storms which plague her island. She is able to leave the island, in short distances, via a hoverbike constructed for her by [[Leksee Sirrus]].
==Personality and Traits==
Knight is a very boisterous and cavalier individual, who, verbally, speaks in a dialect that is approximately fit for the 18th or 19th centuries. However, she uses a fully archaic set of pronouns, such as 'thee', 'thy', 'thou', and their permutations. She also occasionally uses the royal 'one', 'oneself', and 'we'. She appends c=|===> to the beginning of her messages, types in all capitals, and bolds her text. These permutations disappear when she speaks without her helmet on, which is rarely.
Knight is blind in her right eye, and has many scars, due to several mutant genes. She is, however, almost impossible to kill.
Knight is afflicted with an intense paranoia that those around her dislike her or are plotting to kill her. This has been recently worsened by the [[Skoozeye]].
==Relationships==
[[Tewkid Bownes]] gifted Knight his old palmhusk. She believes that he hates her, due to an unfortunate overextension of taste during their first meeting.
[[Siinix Auctor]] maintains regular communiqué with Knight via a pen-pal scheme. Knight has a red crush on her.
[[Awoole Fenrir]] tolerates Knight. She is the only blueblood that this tolerance applies to.
[[Leksee Sirrus]] built Knight a hoverbike. Knight has a mixed pale-red crush on him.
[[Aquett Aghara]] irritates Knight to no end, but he is very hot, and she has a black crush on him.
Knight considers [[Barise Klipse]], [[Mabuya Arnava]], [[Serceu Vasper]], [[Miette]], [[Siette Airien]] and [[Harfil Myches]] to be friends of hers.
Knight dislikes [[Auryyx Osimos]], [[Skoozy McRibb]], [[Guppie Suyami] and [[Anatta Tereme]].
Knight thinks she has burned her bridges with [[Anicca Shivuh]], [[Tewkid Bownes]], [[Harfil Myches]], and [[Shikki]]. It is unclear if she is correct in this assumption.
==Trivia==
* Knight does not remove her armour anymore due to the presence of the Skoozeye.
* Knight is in denial about being gay.
* Knight's blood colour is millimeters away from her being considered a Purpleblood.
* Knight could take Aquett.
==Gallery==
413e1bc5b9bec9cd8ceadb1d395b34c2750cd27d
79
77
2023-10-21T02:12:37Z
Katabasis
6
wikitext
text/x-wiki
== Knight Galfry ==
Knight Galfry, possesséd of the [[Moonbounce]] username chivalrousCavalier, is one of the [[trolls]] in [[Re:Symphony]]. She is approximately nine solar sweeps old, although her exact birthdate is unknown, and she is a Knight of Hope, and - formerly - a prospit dreamer. Her ancestor was [[The Fortress]]. Her lusus was a chitinous barkingbeast, whom used to belong to her ancestor. She mercy killed it on its request some time during her late teenagehood.
Knight joined the conference on 4/8/2023 ([[British]] notation), when she found a mysterious satellite dish on the shore of the island she lives, and is imprisoned, on.
==Etymology==
'Knight' is a noun usually referring to an armoured individual from the medieval era. 'Galfry' is a corruption of 'Belfry', a reference to the two Belfry areas in Dark Souls II. 'Gal' can also be used as a slang term for a girl.
Given that Knight's ancestor's birth name was Knight Avalon, it can be assumed that the first name carries the ancestral significance in Knight's line, in inverse of typical [[Alternia]]n tradition.
==Biography==
===== Early Life =====
Knight does not recall any of her life prior to turning five sweeps of age.
===== Present =====
Knight lives on an island slightly off the coast of the [[Sovereign Shores]], alone. She maintains regular contact with the [[Moonbounce]] group chat via a shaky internet connection, which is frequently interrupted by the violent storms which plague her island. She is able to leave the island, in short distances, via a hoverbike constructed for her by [[Leksee Sirrus]].
==Personality and Traits==
Knight is a very boisterous and cavalier individual, who, verbally, speaks in a dialect that is approximately fit for the 18th or 19th centuries. However, she uses a fully archaic set of pronouns, such as 'thee', 'thy', 'thou', and their permutations. She also occasionally uses the royal 'one', 'oneself', and 'we'. She appends c=|===> to the beginning of her messages, types in all capitals, and bolds her text. These permutations disappear when she speaks without her helmet on, which is rarely.
Knight is blind in her right eye, and has many scars, due to several mutant genes. She is, however, almost impossible to kill.
Knight is afflicted with an intense paranoia that those around her dislike her or are plotting to kill her. This has been recently worsened by the [[Skoozeye]].
==Relationships==
[[Tewkid Bownes]] gifted Knight his old palmhusk. She believes that he hates her, due to an unfortunate overextension of taste during their first meeting.
[[Siinix Auctor]] maintains regular communiqué with Knight via a pen-pal scheme. Knight has a red crush on her.
[[Awoole Fenrir]] tolerates Knight. She is the only blueblood that this tolerance applies to.
[[Leksee Sirrus]] built Knight a hoverbike. Knight has a mixed pale-red crush on him.
[[Aquett Aghara]] irritates Knight to no end, but he is very hot, and she has a black crush on him.
Knight considers [[Barise Klipse]], [[Mabuya Arnava]], [[Serceu Vasper]], [[Miette]], [[Siette Airien]], [[Paluli Anriqi]] and [[Harfil Myches]] to be friends of hers.
Knight dislikes [[Auryyx Osimos]], [[Skoozy Mcribb]], [[Pyrrah Kappen]], [[Guppie Suamui]] and [[Anatta Tereme]].
Knight thinks she has burned her bridges with [[Anicca Shivuh]], [[Tewkid Bownes]], [[Harfil Myches]], and [[Shikki]]. It is unclear if she is correct in this assumption.
==Trivia==
* Knight does not remove her armour anymore due to the presence of the Skoozeye.
* Knight is in denial about being gay.
* Knight's blood colour is millimeters away from her being considered a Purpleblood.
* Knight could take Aquett.
==Gallery==
fd71da214e9e3bcda6f2f842c24db565eba2837a
95
79
2023-10-21T04:10:10Z
Katabasis
6
wikitext
text/x-wiki
== Knight Galfry ==
Knight Galfry, possesséd of the [[Moonbounce]] username chivalrousCavalier, is one of the [[trolls]] in [[Re:Symphony]]. She is approximately nine solar sweeps old, although her exact birthdate is unknown, and she is a Knight of Hope, and - formerly - a prospit dreamer. Her ancestor was [[The Fortress]]. Her lusus was a chitinous barkingbeast, whom used to belong to her ancestor. She mercy killed it on its request some time during her late teenagehood.
Knight joined the conference on 4/8/2023 ([[British]] notation), when she found a mysterious satellite dish on the shore of the island she lives, and is imprisoned, on.
==Etymology==
'Knight' is a noun usually referring to an armoured individual from the medieval era. 'Galfry' is a corruption of 'Belfry', a reference to the two Belfry areas in Dark Souls II. 'Gal' can also be used as a slang term for a girl.
Given that Knight's ancestor's birth name was Knight Avalon, it can be assumed that the first name carries the ancestral significance in Knight's line, in inverse of typical Alternian tradition.
==Biography==
===== Early Life =====
Knight does not recall any of her life prior to turning five sweeps of age.
===== Present =====
Knight lives on an island slightly off the coast of the [[Sovereign Shores]], alone. She maintains regular contact with the [[Moonbounce]] group chat via a shaky internet connection, which is frequently interrupted by the violent storms which plague her island. She is able to leave the island, in short distances, via a hoverbike constructed for her by [[Leksee Sirrus]].
==Personality and Traits==
Knight is a very boisterous and cavalier individual, who, verbally, speaks in a dialect that is approximately fit for the 18th or 19th centuries. However, she uses a fully archaic set of pronouns, such as 'thee', 'thy', 'thou', and their permutations. She also occasionally uses the royal 'one', 'oneself', and 'we'. She appends c=|===> to the beginning of her messages, types in all capitals, and bolds her text. These permutations disappear when she speaks without her helmet on, which is rarely.
Knight is blind in her right eye, and has many scars, due to several mutant genes. She is, however, almost impossible to kill.
Knight is afflicted with an intense paranoia that those around her dislike her or are plotting to kill her. This has been recently worsened by the [[Skoozeye]].
==Relationships==
[[Tewkid Bownes]] gifted Knight his old palmhusk. She believes that he hates her, due to an unfortunate overextension of taste during their first meeting.
[[Siinix Auctor]] maintains regular communiqué with Knight via a pen-pal scheme. Knight has a red crush on her.
[[Awoole Fenrir]] tolerates Knight. She is the only blueblood that this tolerance applies to.
[[Leksee Sirrus]] built Knight a hoverbike. Knight has a mixed pale-red crush on him.
[[Aquett Aghara]] irritates Knight to no end, but he is very hot, and she has a black crush on him.
Knight considers [[Barise Klipse]], [[Mabuya Arnava]], [[Serceu Vasper]], [[Miette]], [[Siette Airien]], [[Paluli Anriqi]] and [[Harfil Myches]] to be friends of hers.
Knight dislikes [[Auryyx Osimos]], [[Skoozy Mcribb]], [[Pyrrah Kappen]], [[Guppie Suamui]] and [[Anatta Tereme]].
Knight thinks she has burned her bridges with [[Anicca Shivuh]], [[Tewkid Bownes]], [[Harfil Myches]], and [[Shikki]]. It is unclear if she is correct in this assumption.
==Trivia==
* Knight does not remove her armour anymore due to the presence of the Skoozeye.
* Knight is in denial about being gay.
* Knight's blood colour is millimeters away from her being considered a Purpleblood.
* Knight could take Aquett.
==Gallery==
a442c6f9504af7314be744fb628b141d7bd960c4
97
95
2023-10-21T04:11:09Z
Katabasis
6
wikitext
text/x-wiki
== Knight Galfry ==
Knight Galfry, possesséd of the [[Moonbounce]] username '''chivalrousCavalier''', is one of the [[trolls]] in [[Re:Symphony]]. She is approximately nine solar sweeps old, although her exact birthdate is unknown, and she is a '''Knight of Hope''', and - formerly - a '''prospit''' dreamer. Her ancestor was [[The Fortress]]. Her lusus was a chitinous barkingbeast, whom used to belong to her ancestor. She mercy killed it on its request some time during her late teenagehood.
Knight joined the conference on 4/8/2023 ([[British]] notation), when she found a mysterious satellite dish on the shore of the island she lives, and is imprisoned, on.
==Etymology==
'Knight' is a noun usually referring to an armoured individual from the medieval era. 'Galfry' is a corruption of 'Belfry', a reference to the two Belfry areas in Dark Souls II. 'Gal' can also be used as a slang term for a girl.
Given that Knight's ancestor's birth name was Knight Avalon, it can be assumed that the first name carries the ancestral significance in Knight's line, in inverse of typical Alternian tradition.
==Biography==
===== Early Life =====
Knight does not recall any of her life prior to turning five sweeps of age.
===== Present =====
Knight lives on an island slightly off the coast of the [[Sovereign Shores]], alone. She maintains regular contact with the [[Moonbounce]] group chat via a shaky internet connection, which is frequently interrupted by the violent storms which plague her island. She is able to leave the island, in short distances, via a hoverbike constructed for her by [[Leksee Sirrus]].
==Personality and Traits==
Knight is a very boisterous and cavalier individual, who, verbally, speaks in a dialect that is approximately fit for the 18th or 19th centuries. However, she uses a fully archaic set of pronouns, such as 'thee', 'thy', 'thou', and their permutations. She also occasionally uses the royal 'one', 'oneself', and 'we'. She appends c=|===> to the beginning of her messages, types in all capitals, and bolds her text. These permutations disappear when she speaks without her helmet on, which is rarely.
Knight is blind in her right eye, and has many scars, due to several mutant genes. She is, however, almost impossible to kill.
Knight is afflicted with an intense paranoia that those around her dislike her or are plotting to kill her. This has been recently worsened by the [[Skoozeye]].
==Relationships==
[[Tewkid Bownes]] gifted Knight his old palmhusk. She believes that he hates her, due to an unfortunate overextension of taste during their first meeting.
[[Siinix Auctor]] maintains regular communiqué with Knight via a pen-pal scheme. Knight has a red crush on her.
[[Awoole Fenrir]] tolerates Knight. She is the only blueblood that this tolerance applies to.
[[Leksee Sirrus]] built Knight a hoverbike. Knight has a mixed pale-red crush on him.
[[Aquett Aghara]] irritates Knight to no end, but he is very hot, and she has a black crush on him.
Knight considers [[Barise Klipse]], [[Mabuya Arnava]], [[Serceu Vasper]], [[Miette]], [[Siette Airien]], [[Paluli Anriqi]] and [[Harfil Myches]] to be friends of hers.
Knight dislikes [[Auryyx Osimos]], [[Skoozy Mcribb]], [[Pyrrah Kappen]], [[Guppie Suamui]] and [[Anatta Tereme]].
Knight thinks she has burned her bridges with [[Anicca Shivuh]], [[Tewkid Bownes]], [[Harfil Myches]], and [[Shikki]]. It is unclear if she is correct in this assumption.
==Trivia==
* Knight does not remove her armour anymore due to the presence of the Skoozeye.
* Knight is in denial about being gay.
* Knight's blood colour is millimeters away from her being considered a Purpleblood.
* Knight could take Aquett.
==Gallery==
9353d34a588192835af77654360e287dc9bc920f
British
0
19
78
2023-10-21T02:09:37Z
Katabasis
6
Redirected page to [[Special:MyLanguage/Troll Britain]]
wikitext
text/x-wiki
#REDIRECT [[Special:MyLanguage/Troll Britain|</nowiki>Troll Britain]]
d3970881ee39d2158ff03663db96ee3c508a47c1
Pyrrah Kappen
0
11
80
68
2023-10-21T02:13:36Z
Wowzersbutnot
5
wikitext
text/x-wiki
'''Pyrrah Kappen''', also known by her [[Moonbounce]] handle '''orchidHuntress''', is one of the trolls in RE: Symphony. Her symbol is Aquiun and she is a cold and stoic bounty hunter that works for the empress.
Pyrrah joined on 5/15/2023 after many attempts of messages in bottles or other means, a paper flew in after successfully kidnapping Calico.
==Etymology==
Pyrrah Kappen is a joke on the words 'Pirate Captain'. While she is a bounty hunter, she does have a huge disdain for pirates. For her handle, orchid comes from the shade of violet and Huntress was from. well. Bounty Hunter.
==Biography==
===Early Life===
Not much is known about Pyrrah's younger years, other than the fact she has worked with [[Skoozy Mcribb|Skoozy]] before and that her scarred eye was the result of some troll got intensely upset at her for something and scarred her left eye when she was 2 sweeps old. It's implied that before she joined she would just capture and send criminal and rogues ordered by the Empress and turned them in for money.
==Personality and Traits==
Cold and Calculating, Pyrrah does not stand for nonsensical things and refuses to open up to others and only sees the worst in everyone.
==Relationships==
===[[Calico Drayke]]===
Has this bitch kidnapped on her ship to turn in for profit.
==Trivia==
21180156f7c41d58f5992d84ee782915e4b1270e
Skoozeye
0
20
81
2023-10-21T02:14:24Z
Katabasis
6
Redirected page to [[Special:MyLanguage/Skoozy Mcribb]]
wikitext
text/x-wiki
#REDIRECT [[Special:MyLanguage/Skoozy Mcribb|</nowiki>Skoozy Mcribb]]
4fd84d19ad1fefd8b5088103ec6260143fc8cbd2
Poppie Toppie
0
21
82
2023-10-21T02:37:25Z
Katabasis
6
Created page with "== Poppie Toppie == Poppie Toppie is a pathetic failure of a troll who joined the [[Moonbounce]] groupchat yesterday when trying to access a medical hotline in [[Trollkyo]]. It is a rainbowdrinker. It feeds from the inebriated, the weak, and the small. It deserves it. ==Etymology== Poppie is a corruption of Poppy, which is my name. Toppie comes because it rhymes with 'Sloppy Toppy', because they canonically give insane head - mainly because of the vampire teeth. ==Bi..."
wikitext
text/x-wiki
== Poppie Toppie ==
Poppie Toppie is a pathetic failure of a troll who joined the [[Moonbounce]] groupchat yesterday when trying to access a medical hotline in [[Trollkyo]].
It is a rainbowdrinker. It feeds from the inebriated, the weak, and the small.
It deserves it.
==Etymology==
Poppie is a corruption of Poppy, which is my name. Toppie comes because it rhymes with 'Sloppy Toppy', because they canonically give insane head - mainly because of the vampire teeth.
==Biography==
===== Early Life =====
I haven't thought about it.
===== Present =====
Bleeding out in Trollkyo after being murdered (unsuccessfully) by [[Siette Aerien]].
==Personality and Traits==
Once got murdered by [[Siette Aerien]]. Sadly, they survived.
==Relationships==
[[Siette Aerien]] murdered them once.
Inexplicably, friends with [[Guppie Suamui]].
==Trivia==
* Bleeds a lot. Has Hemophilia and Anemia.
* Delicious bloods.
==Gallery==
5f072b775082d66b45201ee6b907f9212b410f9a
Main Page
0
1
83
3
2023-10-21T03:40:22Z
Onepeachymo
2
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
sup man
yakno for now let's just link our characters here until we get stuff nice and pretty
[[Calico Drayke|Calico]]
[[Salang Lyubov|Venus]]
[[Anicca Shivuh|Ani|]]
eb198266c019b5ab0815c916b3a55e1b554cc5d7
84
83
2023-10-21T03:40:35Z
Onepeachymo
2
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
sup man
yakno for now let's just link our characters here until we get stuff nice and pretty
[[Calico Drayke|Calico]]
[[Salang Lyubov|Venus]]
[[Anicca Shivuh|Ani]]
19ab252985a0fdee39123f5865a37bf86a814627
86
84
2023-10-21T03:44:19Z
Onepeachymo
2
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
sup man
yakno for now let's just link our characters here until we get stuff nice and pretty
[[Calico Drayke|Calico]]
[[Salang Lyubov|Venus]]
[[Anicca Shivuh|Ani]]
[[Knight Galfry|Knight]]
[[Poppie Toppie|Poppie]]
[[Skoozy Mcribb|Skoozy]]
[[Tewkid Bownes|Tewkid]]
[[Paluli Anriqi|Paluli]]
[[Guppie Suamui|Guppie]]
348fd51ba2bb77d9a1e9c43e702c8bb69813a726
87
86
2023-10-21T03:51:25Z
Onepeachymo
2
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
sup man
yakno for now let's just link our characters here until we get stuff nice and pretty
[[Calico Drayke|Calico]]
[[Salang Lyubov|Venus]]
[[Anicca Shivuh|Ani]]
[[Knight Galfry|Knight]]
[[Poppie Toppie|Poppie]]
[[Skoozy Mcribb|Skoozy]]
[[Tewkid Bownes|Tewkid]]
[[Paluli Anriqi|Paluli]]
[[Guppie Suamui|Guppie]]
[[Ponzii|Ponzii]]
[[Looksi Gumshu|Looksi]]
[[Pyrrah Kappen|Pyrrah]]
[[Siette Aerien|Siette]]
[[Skoozeye|Skoozeye]]
5b20918b71c6d99237b6fbc92c1cafbe4089c642
98
87
2023-10-21T04:13:10Z
Onepeachymo
2
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
sup man
yakno for now let's just link our characters here until we get stuff nice and pretty
==Trolls==
[[Calico Drayke|Calico]]
[[Salang Lyubov|Venus]]
[[Anicca Shivuh|Ani]]
[[Knight Galfry|Knight]]
[[Poppie Toppie|Poppie]]
[[Skoozy Mcribb|Skoozy]]
[[Tewkid Bownes|Tewkid]]
[[Paluli Anriqi|Paluli]]
[[Guppie Suamui|Guppie]]
[[Ponzii|Ponzii]]
[[Looksi Gumshu|Looksi]]
[[Pyrrah Kappen|Pyrrah]]
[[Siette Aerien|Siette]]
[[Skoozeye|Skoozeye]]
==Ancestors==
[[The Fortress|Fortress]]
==Other==
[[Troll|Troll]]
[[Moonbounce|Moonbounce]]
[[Era of Subjugation|Era of Subjugation]]
[[Troll Britain|Troll Britain]]
7f5996e42e08c5fd5530b9ace59fe166c3d07b38
106
98
2023-10-21T04:53:50Z
Onepeachymo
2
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
sup man
yakno for now let's just link our characters here until we get stuff nice and pretty
==Trolls==
[[Calico Drayke|Calico]]
[[Salang Lyubov|Venus]]
[[Anicca Shivuh|Ani]]
[[Knight Galfry|Knight]]
[[Poppie Toppie|Poppie]]
[[Skoozy Mcribb|Skoozy]]
[[Tewkid Bownes|Tewkid]]
[[Paluli Anriqi|Paluli]]
[[Guppie Suamui|Guppie]]
[[Ponzii|Ponzii]]
[[Looksi Gumshu|Looksi]]
[[Pyrrah Kappen|Pyrrah]]
[[Siette Aerien|Siette]]
[[Yupinh|Yupinh]]
[[Skoozeye|Skoozeye]]
==Ancestors==
[[The Fortress|Fortress]]
==Other==
[[Troll|Troll]]
[[Moonbounce|Moonbounce]]
[[Era of Subjugation|Era of Subjugation]]
[[Troll Britain|Troll Britain]]
c87e6119e84ce7e35cdb68aa2654d29a6593d1c3
Trolls
0
22
85
2023-10-21T03:42:07Z
Katabasis
6
Redirected page to [[Special:MyLanguage/Troll]]
wikitext
text/x-wiki
#REDIRECT [[Special:MyLanguage/Troll|</nowiki>Troll]]
bdeb541452f161395f38f75514098802d1c32983
Guppie Suamui
0
16
88
66
2023-10-21T03:57:16Z
Mordimoss
4
wikitext
text/x-wiki
Guppie Suamui, known also on [[Moonbounce]] as gossamerDaydreamer, is one of the many characters in Re:Symphony. She is a violet blood, who joined the server via an invite from [[Paluli Anriqi|Paluli]].
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
1db403278f469edebc653166c362580a602ce8f3
94
88
2023-10-21T04:09:31Z
Mordimoss
4
wikitext
text/x-wiki
Guppie Suamui, known also on [[Moonbounce]] as gossamerDaydreamer, is one of the many characters in Re:Symphony. She is a violet blood, who joined the server via an invite from [[Paluli Anriqi|Paluli]].
==Etymology==
Guppie's first name is a play on the spelling "[https://en.wikipedia.org/wiki/Guppy Guppy]" which is a type of small fish often kept as a pet. Her last name, Suamui, is just a collection of sounds that were pleasing to the ear.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
0597a07e94b0620157c1e2c30f30b7131f03e888
96
94
2023-10-21T04:10:36Z
Mordimoss
4
wikitext
text/x-wiki
Guppie Suamui, known also on [[Moonbounce]] as gossamerDaydreamer, is one of the many characters in Re:Symphony. She is a violet blood, who joined the server via an invite from [[Paluli Anriqi|Paluli]].
==Etymology==
Guppie's first name is a play on the spelling "[https://en.wikipedia.org/wiki/Guppy Guppy]" which is a type of small fish often kept as a pet, this is in reference to the fact that violet bloods are aquatic and have fish-like qualities. Her last name, Suamui, is just a collection of sounds that were pleasing to the ear.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
f2f146582a315eb99854f09faaa3c6ffeb46e4a1
Era of Subjugation
0
23
89
2023-10-21T04:04:10Z
Katabasis
6
Created page with "A time period characterised by an inversion of the upper hemospectrum that placed Indigos and Purples equally on top with Violets shifted down two slots. Other castes were largely unaffected. One of the two main time periods involved in the RP."
wikitext
text/x-wiki
A time period characterised by an inversion of the upper hemospectrum that placed Indigos and Purples equally on top with Violets shifted down two slots. Other castes were largely unaffected. One of the two main time periods involved in the RP.
d930fd7068d5ab829dda268b2f1736b51665007a
The Fortress
0
24
90
2023-10-21T04:04:27Z
Katabasis
6
Created page with "== The Fortress == La Fortezza-Generalè Galagaci Gravelaw - birthname Knight Avalon - is the ancestor of [[Knight Galfry]]. She is one of the primary villains of the [[Era of Subjugation]], as well as arguably one of its main causes. She speaks in heading text, in lowercase, and appends a ==|====I greatsword to the starts of her messages. == Plot == ===== Early Life ===== Knight Avalon was enlisted at an early age into the Alternian military and rose through the ranks..."
wikitext
text/x-wiki
== The Fortress ==
La Fortezza-Generalè Galagaci Gravelaw - birthname Knight Avalon - is the ancestor of [[Knight Galfry]]. She is one of the primary villains of the [[Era of Subjugation]], as well as arguably one of its main causes. She speaks in heading text, in lowercase, and appends a ==|====I greatsword to the starts of her messages.
== Plot ==
===== Early Life =====
Knight Avalon was enlisted at an early age into the Alternian military and rose through the ranks over many centuries. She became a very highly-respected war hero, in the vein of Napoleon Bonaparte, not to be confused with Napoln Bonart, who does also canonically exist. She also, at some point, adopted [[Little Squire]], a young wriggler who she used as a scribe.
She faked her death shortly after Princeps [[Pomuvi]] ordered her to be investigated for revolutionary activity, using [[The Wretched]] to pin the blame on aggrieved and jealous violetbloods. This caused the rumblings of a global revolution between the land-dwelling highbloods and seadwellers, which would later burgeon into a war that began the [[Era of Subjugation]].
Later, she sent missives to some revolutionary sympathetics, such as [[The Mechanic]], [[The Headsman]], [[The Merchant]], and [[The Domestic]].
120c63d71b0bd0fa8fdd4ace8f618958d8ce312c
Calico Drayke
0
2
91
55
2023-10-21T04:05:24Z
Onepeachymo
2
wikitext
text/x-wiki
'''Calico Drayke''', also known by his [[Moonbounce|Moonbounce]] tag, languidMarauder. His sign is Aquiun and he is the pirate captain upon the ''Lealda's Dream''.
He joined the server on 9/22/2021, after finding a message in a bottle that contained the link to the server along with Tewkid.
==Etymology==
"Calico" was taken from the first name of the pirate "Calico Jack" and "Drayke" comes from the surname of the pirate "Francis Drake".
Languid, from his username, is taken from his smooth and relatively easy-going personality, while Marauder is a clear reference to his ancestor.
==Biography==
====Early Life====
Calico has been sailing as a Pirate Captain since he was incredibly young, with Tewkid as his first mate. Pyrrah attempted to capture them as a bounty, but failed due to Lealda's intervention. Calico and his crew eventually were the targets of a allegiance between Lealda's treasonous crew-mates and another crew of Bluebloods, and they were captured. Lealda once again came to their rescue, and they fought the Bluebloods and double-crossers together. With their remaining members, they merged the two crews. During the conflict, Calico's right eye was permanently damaged.
Lealda got into contact with Skoozy at some point after they merged crews, and he replaced Calico's damaged eye.
Lealda's death was a turning point for Calico and the crew. Teals tried to blame him for their death, but Skoozy was able to get him out of it.
====Act 1====
Calico was asked by Skoozy to crash the server's party, out of petty revenge since he was explicitly not invited to come. He made his first appearance by going around the party gathering dirt on everyone present, and stirring drama up between all of them. He caused the party to become complete pandemonium before their ship crashed into the building, and Tewkid & the rest of the crew busted in. They then began badgering and fucking with people in real time.
Calico and Tewkid joined the server shortly after this, though Calico hardly ever speaks in it.
==Personality and Traits==
Calico is a guy that, on a general basis, takes it pretty easy. He's incredibly loyal, both to those who he fully trusts and his beliefs.
==Relationships==
==Trivia==
==Gallery==
21d56a64780aa45e686461b693035020fe48ae5d
Little Squire
0
25
92
2023-10-21T04:06:16Z
Katabasis
6
Created page with "A wriggler that [[The Fortress]] adopted sometime prior to faking her death."
wikitext
text/x-wiki
A wriggler that [[The Fortress]] adopted sometime prior to faking her death.
08bbe005c5e58ae9a2744393ddc32e70c1e6773c
Skoozy Mcribb
0
4
93
59
2023-10-21T04:06:20Z
Mordimoss
4
wikitext
text/x-wiki
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his [[Moonbounce|Moonbounce]] tag '''analyticalSwine''', he is option depicted with the Mcdonald's golden arches symbol rather than his true sign.
Skoozy joined the server on day one, claiming initially that "link said free trobux?" but it is later implied that he joined via spying on [[Paluli Anriqi|Paluli]].
==Etymology==
Although "Skoozy" has many meanings in American english slang, his name was chosen as a purely random collection of sounds, rather than to be symbolic of his character. "Mcribb" was similarly chosen as a silly name, but was explored upon further as Skoozy has a deep rooted love for Mcdonald's. The name Mcribb may also be tied to Skoozy's lusus being a large pig, which could also be further referenced in his Moonbounce tag "analyticalSwine". As troll tags are chosen by the character, it is assumed that Skoozy chose "analytical" because he prides that aspect of his personality, and "Swine" out of respect for his lusus.
==Biography==
===Early life===
Very little is known about Skoozy's early life, though it was alluded that he had longtime connections with the pirates. Later he is shown in [https://en.wikipedia.org/wiki/Flashback%20(narrative) flashbacks] to have worked with both [[Pyrrah Kappen|Pyrrah]] and with [[Calico Drayke|Calico's]] crew, despite the hatred between the two crews. It is also heavily implied that he is responsible for Paluli's mutated appearance, suggesting he somehow experimented with her before she emerged from the brooding caverns, despite the fact they are close in age.
===Act 1===
Skoozy initially does not reveal his true nature to those in the chatroom, and does his best to come across as a nonthreatening, albeit annoying, trickster.
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
d78ab0b30231855b38db7dcff5af0b1c864facc2
100
93
2023-10-21T04:23:10Z
Onepeachymo
2
wikitext
text/x-wiki
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his [[Moonbounce|Moonbounce]] tag '''analyticalSwine''', he is option depicted with the Mcdonald's golden arches symbol rather than his true sign.
Skoozy joined the server on day one, claiming initially that "link said free trobux?" but it is later implied that he joined via spying on [[Paluli Anriqi|Paluli]].
==Etymology==
Although "Skoozy" has many meanings in American english slang, his name was chosen as a purely random collection of sounds, rather than to be symbolic of his character. "Mcribb" was similarly chosen as a silly name, but was explored upon further as Skoozy has a deep rooted love for Mcdonald's. The name Mcribb may also be tied to Skoozy's lusus being a large pig, which could also be further referenced in his Moonbounce tag "analyticalSwine". As troll tags are chosen by the character, it is assumed that Skoozy chose "analytical" because he prides that aspect of his personality, and "Swine" out of respect for his lusus.
==Biography==
===Early life===
Very little is known about Skoozy's early life, though it was alluded that he had longtime connections with the pirates. Later he is shown in [https://en.wikipedia.org/wiki/Flashback%20(narrative) flashbacks] to have worked with both [[Pyrrah Kappen|Pyrrah]] and with [[Calico Drayke|Calico's]] crew, despite the hatred between the two crews. It is also heavily implied that he is responsible for Paluli's mutated appearance, suggesting he somehow experimented with her before she emerged from the brooding caverns, despite the fact they are close in age.
===Act 1===
Skoozy initially does not reveal his true nature to those in the chatroom, and does his best to come across as a nonthreatening, albeit annoying, trickster.
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<gallery>
File:Skoozy can make a difference.png|Skoozy
</gallery>
163c9d2d045a150982c6d4f2b0c5990978f73355
File:Skoozy can make a difference.png
6
26
99
2023-10-21T04:14:44Z
Onepeachymo
2
Skoozy is making a difference.
wikitext
text/x-wiki
== Summary ==
Skoozy is making a difference.
b4a85d7722c9473607782e13695407f3ec2b3c48
File:Tewkid1.gif
6
27
102
2023-10-21T04:33:03Z
Mordimoss
4
a talksprite of tewkid
wikitext
text/x-wiki
== Summary ==
a talksprite of tewkid
c8f5dab26d4201334dd776c26a72a63aa2bf62e2
Yupinh
0
28
104
2023-10-21T04:49:23Z
Tanager
7
Created page with "'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager4392. ==Physical Description== Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG. ==Etymology== Yupinh's na..."
wikitext
text/x-wiki
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager4392.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a wayneradiotv Youtube video.<ref>https://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132</ref> Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
==Gallery==
793c2d2d3f9ece80cd664811770c05f88303921a
105
104
2023-10-21T04:50:54Z
Tanager
7
wikitext
text/x-wiki
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a wayneradiotv Youtube video.<ref>https://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132</ref> Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
==Gallery==
1780341ce92eed3cad6a4ea8768c558c18453032
107
105
2023-10-21T04:58:23Z
Tanager
7
wikitext
text/x-wiki
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a wayneradiotv Youtube video.<ref>https://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132</ref> Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh's current quirk follows a consistent ruleset:
**[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
**'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
**''Italic words'' are adjectives and adverbs.
**<nowiki>*wordz inn ass ter isks* are misspelled.
==Gallery==
33ffc0539652caf845d4c93cf2caa39696c5df3b
108
107
2023-10-21T04:58:45Z
Tanager
7
wikitext
text/x-wiki
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a wayneradiotv Youtube video.<ref>https://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132</ref> Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh's current quirk follows a consistent ruleset:
**[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
**'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
**''Italic words'' are adjectives and adverbs.
** *wordz inn ass ter isks* are misspelled.
==Gallery==
ad2c5f2aff1c5a5e1fc9e29969073d9c8583271e
109
108
2023-10-21T05:00:30Z
Tanager
7
wikitext
text/x-wiki
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a wayneradiotv Youtube video.<ref>https://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132</ref> Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh's current quirk follows a consistent ruleset:
**[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
**'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
**''Italic words'' are adjectives and adverbs.
** *wordz inn ass ter isks* are misspelled.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is peachy's favorite Yupinh moment.
==Gallery==
917f686164cf9b249d8005fa8de9eac133001861
110
109
2023-10-21T05:02:54Z
Tanager
7
/* Trivia */
wikitext
text/x-wiki
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a wayneradiotv Youtube video.<ref>https://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132</ref> Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh's current quirk follows a consistent ruleset:
**[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
**'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
**''Italic words'' are adjectives and adverbs.
** *wordz inn ass ter isks* are misspelled.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is peachy's favorite Yupinh moment.
***Yupinh is aware of peachy, and aware that this is their favorite Yupinh moment. When asked how Yupinh felt about this, it offered [No Comment].
==Gallery==
fd8722a47b705c5199e72265eaf993a0e2c8e431
115
110
2023-10-21T05:21:03Z
Tanager
7
wikitext
text/x-wiki
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a wayneradiotv Youtube video.<ref>https://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132</ref> Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh's current quirk follows a consistent ruleset:
**[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
**'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
**''Italic words'' are adjectives and adverbs.
** *wordz inn ass ter isks* are misspelled.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is peachy's favorite Yupinh moment.
***Yupinh is aware of peachy, and aware that this is their favorite Yupinh moment. When asked how Yupinh felt about this, it offered [No Comment].
==Gallery==
[[File:Yupinh.png|thumb|Yupinh's original sprite.]]
[[File:Get-it-yupinh.gif|thumb|GET IT YUPINH]]
7a97c2d7f40f7da683f65d077fbb9842e183b6d0
116
115
2023-10-21T05:22:51Z
Tanager
7
wikitext
text/x-wiki
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a wayneradiotv Youtube video.<ref>https://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132</ref> Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh's current quirk follows a consistent ruleset:
**[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
**'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
**''Italic words'' are adjectives and adverbs.
** *wordz inn ass ter isks* are misspelled.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is peachy's favorite Yupinh moment.
***Yupinh is aware of peachy, and aware that this is their favorite Yupinh moment. When asked how Yupinh felt about this, it offered [No Comment].
==Gallery==
[[File:Yupinh.png|thumb|Yupinh's original sprite.]]
[[File:Get-it-yupinh.gif|thumb|GET IT YUPINH]]
[[File:Real slim shady.png|thumb|Yupinh smoking weed with a troll legend (not canon).]]
[[File:Ps1-hagrid.jpg|thumb|"i PAINTED this [When We Were Young]"]]
2dad2c159a3d9566008e5e9805ea5fd56cd78f24
117
116
2023-10-21T05:25:42Z
Tanager
7
/* Etymology */
wikitext
text/x-wiki
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a [ttps://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132 wayneradiotv Youtube video]. Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh's current quirk follows a consistent ruleset:
**[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
**'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
**''Italic words'' are adjectives and adverbs.
** *wordz inn ass ter isks* are misspelled.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is peachy's favorite Yupinh moment.
***Yupinh is aware of peachy, and aware that this is their favorite Yupinh moment. When asked how Yupinh felt about this, it offered [No Comment].
==Gallery==
[[File:Yupinh.png|thumb|Yupinh's original sprite.]]
[[File:Get-it-yupinh.gif|thumb|GET IT YUPINH]]
[[File:Real slim shady.png|thumb|Yupinh smoking weed with a troll legend (not canon).]]
[[File:Ps1-hagrid.jpg|thumb|"i PAINTED this [When We Were Young]"]]
c8287443fa780b5527659c22f7c3404c4bad9393
118
117
2023-10-21T05:26:28Z
Tanager
7
/* Gallery */
wikitext
text/x-wiki
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a [ttps://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132 wayneradiotv Youtube video]. Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh's current quirk follows a consistent ruleset:
**[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
**'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
**''Italic words'' are adjectives and adverbs.
** *wordz inn ass ter isks* are misspelled.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is peachy's favorite Yupinh moment.
***Yupinh is aware of peachy, and aware that this is their favorite Yupinh moment. When asked how Yupinh felt about this, it offered [No Comment].
==Gallery==
[[File:Get-it-yupinh.gif|frame|GET IT YUPINH]]
[[File:Real slim shady.png|frame|Yupinh smoking weed with a troll legend (not canon).]]
[[File:Ps1-hagrid.jpg|frame|"i PAINTED this [When We Were Young]"]]
755c3be7eb1ef3bc93eac24a78b22b1187b79678
119
118
2023-10-21T05:26:54Z
Tanager
7
/* Physical Description */
wikitext
text/x-wiki
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
[[File:Yupinh.png|thumb|Yupinh's original sprite.]]
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a [ttps://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132 wayneradiotv Youtube video]. Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh's current quirk follows a consistent ruleset:
**[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
**'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
**''Italic words'' are adjectives and adverbs.
** *wordz inn ass ter isks* are misspelled.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is peachy's favorite Yupinh moment.
***Yupinh is aware of peachy, and aware that this is their favorite Yupinh moment. When asked how Yupinh felt about this, it offered [No Comment].
==Gallery==
[[File:Get-it-yupinh.gif|frame|GET IT YUPINH]]
[[File:Real slim shady.png|frame|Yupinh smoking weed with a troll legend (not canon).]]
[[File:Ps1-hagrid.jpg|frame|"i PAINTED this [When We Were Young]"]]
3dc3c462a1ff9b54919d5c92948c1661748128eb
File:Yupinh.png
6
29
111
2023-10-21T05:06:00Z
Tanager
7
Yupinh's original sprite.
wikitext
text/x-wiki
== Summary ==
Yupinh's original sprite.
a9c1d91c9c74ac4e8970f798d5528e04ebad3788
File:Get-it-yupinh.gif
6
30
112
2023-10-21T05:07:34Z
Tanager
7
Yupinh breakdancing. Created by onepeachymo.
wikitext
text/x-wiki
== Summary ==
Yupinh breakdancing. Created by onepeachymo.
925d4a607c42eda2a767523cf9c16bfc1c722115
File:Real slim shady.png
6
31
113
2023-10-21T05:10:55Z
Tanager
7
Yupinh smoking weed with a troll legend.
wikitext
text/x-wiki
== Summary ==
Yupinh smoking weed with a troll legend.
ab15d419214193191f2fd2cc039f2cca2e721f02
File:Ps1-hagrid.jpg
6
32
114
2023-10-21T05:17:03Z
Tanager
7
Yupinh painted this.
wikitext
text/x-wiki
== Summary ==
Yupinh painted this.
98307a9d258dc47ef3bac026b94ef3932f7817f4
File:Libza.png
6
33
120
2023-10-21T05:27:22Z
Wowzersbutnot
5
wikitext
text/x-wiki
Libza sign.
e0f17e83bc560c04aebf456a8af846727d3aa22c
Yupinh
0
28
121
119
2023-10-21T05:28:25Z
Tanager
7
/* Gallery */
wikitext
text/x-wiki
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
[[File:Yupinh.png|thumb|Yupinh's original sprite.]]
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a [ttps://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132 wayneradiotv Youtube video]. Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh's current quirk follows a consistent ruleset:
**[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
**'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
**''Italic words'' are adjectives and adverbs.
** *wordz inn ass ter isks* are misspelled.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is peachy's favorite Yupinh moment.
***Yupinh is aware of peachy, and aware that this is their favorite Yupinh moment. When asked how Yupinh felt about this, it offered [No Comment].
==Gallery==
[[File:Get-it-yupinh.gif|thumb|left|GET IT YUPINH]]
[[File:Real slim shady.png|thumb|left|Yupinh smoking weed with a troll legend (not canon).]]
[[File:Ps1-hagrid.jpg|thumb|left|"i PAINTED this [When We Were Young]"]]
0515a92f824bf4c19cabf5970d2d25238cdb9318
122
121
2023-10-21T05:28:49Z
Tanager
7
/* Gallery */
wikitext
text/x-wiki
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
[[File:Yupinh.png|thumb|Yupinh's original sprite.]]
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a [ttps://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132 wayneradiotv Youtube video]. Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh's current quirk follows a consistent ruleset:
**[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
**'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
**''Italic words'' are adjectives and adverbs.
** *wordz inn ass ter isks* are misspelled.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is peachy's favorite Yupinh moment.
***Yupinh is aware of peachy, and aware that this is their favorite Yupinh moment. When asked how Yupinh felt about this, it offered [No Comment].
==Gallery==
[[File:Get-it-yupinh.gif|thumb|left|GET IT YUPINH]]
[[File:Real slim shady.png|thumb|right|Yupinh smoking weed with a troll legend (not canon).]]
[[File:Ps1-hagrid.jpg|thumb|left|"i PAINTED this [When We Were Young]"]]
dce4e3d60e68d5abfd6503c6d16814516f82c0b9
123
122
2023-10-21T05:29:17Z
Tanager
7
/* Gallery */
wikitext
text/x-wiki
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
[[File:Yupinh.png|thumb|Yupinh's original sprite.]]
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a [ttps://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132 wayneradiotv Youtube video]. Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh's current quirk follows a consistent ruleset:
**[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
**'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
**''Italic words'' are adjectives and adverbs.
** *wordz inn ass ter isks* are misspelled.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is peachy's favorite Yupinh moment.
***Yupinh is aware of peachy, and aware that this is their favorite Yupinh moment. When asked how Yupinh felt about this, it offered [No Comment].
==Gallery==
[[File:Get-it-yupinh.gif|thumb|left|GET IT YUPINH]]
[[File:Real slim shady.png|thumb|center|Yupinh smoking weed with a troll legend (not canon).]]
[[File:Ps1-hagrid.jpg|thumb|right|"i PAINTED this [When We Were Young]"]]
4d4b460c49ebbf70af66e48850fc49281c975077
124
123
2023-10-21T05:29:39Z
Tanager
7
/* Gallery */
wikitext
text/x-wiki
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
[[File:Yupinh.png|thumb|Yupinh's original sprite.]]
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a [ttps://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132 wayneradiotv Youtube video]. Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh's current quirk follows a consistent ruleset:
**[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
**'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
**''Italic words'' are adjectives and adverbs.
** *wordz inn ass ter isks* are misspelled.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is peachy's favorite Yupinh moment.
***Yupinh is aware of peachy, and aware that this is their favorite Yupinh moment. When asked how Yupinh felt about this, it offered [No Comment].
==Gallery==
[[File:Get-it-yupinh.gif|thumb|left|GET IT YUPINH]]
[[File:Real slim shady.png|thumb|center|Yupinh smoking weed with a troll legend (not canon).]]
[[File:Ps1-hagrid.jpg|thumb|left|"i PAINTED this [When We Were Young]"]]
6b41bb31526c2f851b3180d3e1ead32b95fc7b33
126
124
2023-10-21T05:33:32Z
Tanager
7
/* Physical Description */
wikitext
text/x-wiki
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a [ttps://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132 wayneradiotv Youtube video]. Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh's current quirk follows a consistent ruleset:
**[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
**'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
**''Italic words'' are adjectives and adverbs.
** *wordz inn ass ter isks* are misspelled.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is peachy's favorite Yupinh moment.
***Yupinh is aware of peachy, and aware that this is their favorite Yupinh moment. When asked how Yupinh felt about this, it offered [No Comment].
==Gallery==
[[File:Get-it-yupinh.gif|thumb|left|GET IT YUPINH]]
[[File:Real slim shady.png|thumb|center|Yupinh smoking weed with a troll legend (not canon).]]
[[File:Ps1-hagrid.jpg|thumb|left|"i PAINTED this [When We Were Young]"]]
4d9f099477c197e0d41c3dd290e9a1ed047b7edb
127
126
2023-10-21T05:34:00Z
Tanager
7
wikitext
text/x-wiki
[[File:Yupinh.png|thumb|Yupinh's original sprite.]]
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a [ttps://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132 wayneradiotv Youtube video]. Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh's current quirk follows a consistent ruleset:
**[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
**'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
**''Italic words'' are adjectives and adverbs.
** *wordz inn ass ter isks* are misspelled.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is peachy's favorite Yupinh moment.
***Yupinh is aware of peachy, and aware that this is their favorite Yupinh moment. When asked how Yupinh felt about this, it offered [No Comment].
==Gallery==
[[File:Get-it-yupinh.gif|thumb|left|GET IT YUPINH]]
[[File:Real slim shady.png|thumb|center|Yupinh smoking weed with a troll legend (not canon).]]
[[File:Ps1-hagrid.jpg|thumb|left|"i PAINTED this [When We Were Young]"]]
306f9d550b1a6b13fc30108c9136c6d5885c659b
130
127
2023-10-21T05:37:34Z
Tanager
7
wikitext
text/x-wiki
{| class="wikitable"
|+ Yupinh
|-
| Pronouns || she/it
|-
| Blood Caste || Burgundy
|-
| Played by || tanager
|}
[[File:Yupinh.png|thumb|Yupinh's original sprite.]]
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a [ttps://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132 wayneradiotv Youtube video]. Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh's current quirk follows a consistent ruleset:
**[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
**'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
**''Italic words'' are adjectives and adverbs.
** *wordz inn ass ter isks* are misspelled.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is peachy's favorite Yupinh moment.
***Yupinh is aware of peachy, and aware that this is their favorite Yupinh moment. When asked how Yupinh felt about this, it offered [No Comment].
==Gallery==
[[File:Get-it-yupinh.gif|thumb|left|GET IT YUPINH]]
[[File:Real slim shady.png|thumb|center|Yupinh smoking weed with a troll legend (not canon).]]
[[File:Ps1-hagrid.jpg|thumb|left|"i PAINTED this [When We Were Young]"]]
4bc2051d25b94f40c6ee746040e4f6b9a66da555
132
130
2023-10-21T05:45:54Z
Tanager
7
wikitext
text/x-wiki
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a [ttps://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132 wayneradiotv Youtube video]. Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh's current quirk follows a consistent ruleset:
**[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
**'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
**''Italic words'' are adjectives and adverbs.
** *wordz inn ass ter isks* are misspelled.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is peachy's favorite Yupinh moment.
***Yupinh is aware of peachy, and aware that this is their favorite Yupinh moment. When asked how Yupinh felt about this, it offered [No Comment].
==Gallery==
[[File:Yupinh.png|thumb|Yupinh's original sprite.]]
[[File:Get-it-yupinh.gif|thumb|left|GET IT YUPINH]]
[[File:Real slim shady.png|thumb|center|Yupinh smoking weed with a troll legend (not canon).]]
[[File:Ps1-hagrid.jpg|thumb|left|"i PAINTED this [When We Were Young]"]]
3a4fae3f02b7b60791a3fba45e9a499453f74119
134
132
2023-10-21T05:58:49Z
Tanager
7
wikitext
text/x-wiki
{{/Infobox}}
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a [ttps://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132 wayneradiotv Youtube video]. Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh's current quirk follows a consistent ruleset:
**[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
**'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
**''Italic words'' are adjectives and adverbs.
** *wordz inn ass ter isks* are misspelled.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is peachy's favorite Yupinh moment.
***Yupinh is aware of peachy, and aware that this is their favorite Yupinh moment. When asked how Yupinh felt about this, it offered [No Comment].
==Gallery==
[[File:Yupinh.png|thumb|Yupinh's original sprite.]]
[[File:Get-it-yupinh.gif|thumb|left|GET IT YUPINH]]
[[File:Real slim shady.png|thumb|center|Yupinh smoking weed with a troll legend (not canon).]]
[[File:Ps1-hagrid.jpg|thumb|left|"i PAINTED this [When We Were Young]"]]
8aea7fc0b4077fdda990f8157b83ec0e6e60edc9
File:Mind.png
6
34
125
2023-10-21T05:30:56Z
Wowzersbutnot
5
wikitext
text/x-wiki
Mind Aspect
2d7b60f31ca306992fa145c606ec340196d8e7e7
Looksi Gumshu
0
9
128
65
2023-10-21T05:35:10Z
Wowzersbutnot
5
wikitext
text/x-wiki
'''Looksi Gumshu''', also known by his Moonbounce handle '''phlegmaticInspector''', is one of the trolls in RE: Symphony. His sign is Libza and he is SAD.
==Etymology==
Looksi Gumshu is based on the word 'Look-see' and 'Gumshoe'. Which ties into his occupation of being a Detective. For his handle, Phlegmatic means 'a person having an unemotional and stolidly calm disposition.' As Looksi usually has when he solves a case or his demeanor in general. Inspector is his occupation, for his city, New Troll City. His handle acronyms 'PI' is also a joke on the acronym for Private Investigator.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
Design is based on Almond Cookie from Cookie Run.
2c70b3ce2b3420b36929b34aef30e32765a23982
129
128
2023-10-21T05:36:57Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{/Infobox}}
'''Looksi Gumshu''', also known by his Moonbounce handle '''phlegmaticInspector''', is one of the trolls in RE: Symphony. His sign is Libza and he is SAD.
==Etymology==
Looksi Gumshu is based on the word 'Look-see' and 'Gumshoe'. Which ties into his occupation of being a Detective. For his handle, Phlegmatic means 'a person having an unemotional and stolidly calm disposition.' As Looksi usually has when he solves a case or his demeanor in general. Inspector is his occupation, for his city, New Troll City. His handle acronyms 'PI' is also a joke on the acronym for Private Investigator.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
Design is based on Almond Cookie from Cookie Run.
070b7f4bfcacc53d423a79186d389acd3cc07ae7
Looksi Gumshu/Infobox
0
35
131
2023-10-21T05:44:03Z
Wowzersbutnot
5
Created page with " |name = [Defaults to PAGENAME] |icon left = [[File:FILENAME|32px]] |icon right = [[File:FILENAME|32px]] |image = File:FILENAME |complex = [Use instead of '''image''' to display Tabber-based image navigation] |caption = [An iconic quote said by the character] |intro = [Comic introduction page number] |first = [Comic first appearance page number] |aka = [Additional aliases the character may be known as] |title = [Mythological "cla..."
wikitext
text/x-wiki
|name = [Defaults to PAGENAME]
|icon left = [[File:FILENAME|32px]]
|icon right = [[File:FILENAME|32px]]
|image = File:FILENAME
|complex = [Use instead of '''image''' to display Tabber-based image navigation]
|caption = [An iconic quote said by the character]
|intro = [Comic introduction page number]
|first = [Comic first appearance page number]
|aka = [Additional aliases the character may be known as]
|title = [Mythological "classpect" title]
|age = [Age in sweeps relative to current events of Vast Error]
|genid = [Gender identity]
|status = [Status relative to current events of Vast Error.]
|screenname = [Skorpe handle]
|style = [Typing quirks(s)]
|specibus = [Strife specibi routinely used by character]
|modus = [Fetch modus routinely used by character]
|relations = [List of relationships to other characters]
|home = [Location character lives]
|planet = [Designated planet within The Game]
|music = [Associated music tracks]
|skorpelogs = [Tabber-based navigation of chatlogs throughout Vast Error]
}}
a81a69a854c9ae995f40da39ef71ed53b7e40639
133
131
2023-10-21T05:52:12Z
Wowzersbutnot
5
wikitext
text/x-wiki
{| style="background-color; font-size:89%; color:black; width:300px; margin:{{#ifeq: {{{align|right}}} | left | 0em 1em 1em 0em | 0em 0em 1em 1em }}; border:5px solid; position:relative;" align="{{{align|right}}}" cellspacing="0" class="infobox"
|-
! colspan="2" style="background-color:/; font-size:120%; color:black; padding:1em;" | <!--
--><div style="position: relative"><!--
-->{{#if: {{{icon left|}}}|<div style="position:absolute; left:{{{icon left pos left|-6}}}px; top:{{{icon left pos top|-6}}}px; width:32px; height:32px; text-align:center; line-height:30px;">{{{icon left|[[File:JohnLogo.svg|32px]]}}}</div><!--
--><center><div style="margin-left:32px; margin-right:32px; width:100%-64px; text-align:center;">{{{Box title|No Title}}}</div></center><!--
-->{{#if: {{{icon right|}}}|<div style="position:absolute; right:{{{icon right pos right|-6}}}px; top:{{{icon right pos top|-6}}}px; width:32px; height:32px; text-align:center; line-height:30px;">{{{icon right|[[File:JohnLogo.svg|32px]]}}}</div>}}<!--
-->|{{{Box title|No Title}}} }}</div>
{{#if: {{{image|}}}|
{{!}}-
{{!}} colspan="2" style="background-color:#535353; text-align:center; padding:1em; color:#535353;" {{!}} [[{{{image}}}|{{{imagewidth|250}}}px]]<br/>{{#if:{{{caption|}}}|{{{caption}}}}}
|{{#if: {{{image complex|}}}|
{{!}}-
{{!}} colspan="2" style="background-color:{{Color|ve0}}; text-align:center; padding:0em;" {{!}} {{{image complex}}}{{#if:{{{caption|}}}|<div style="padding:.3em 1em 1em 1em;">{{{caption}}}</div>}}
}}
}}
{{!}}-
{{#if:{{{header|}}}|
{{!}} colspan="2" style="width:100%; padding:0.5em 0.5em 0.2em 0.5em; text-align:center; vertical-align:text-top;" {{!}}
{{{header}}}
{{!}}-
}}
{{#if:{{{label1|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label1}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info1|No information}}}
{{!}}-
}}
{{#if:{{{label2|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label2}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info2|No information}}}
{{!}}-
}}
{{#if:{{{label3|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label3}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info3|No information}}}
{{!}}-
}}
{{#if:{{{label4|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label4}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info4|No information}}}
{{!}}-
}}
{{#if:{{{label5|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label5}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info5|No information}}}
{{!}}-
}}
{{#if:{{{label6|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label6}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info6|No information}}}
{{!}}-
}}
{{#if:{{{label7|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label7}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info7|No information}}}
{{!}}-
}}
{{#if:{{{label8|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label8}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info8|No information}}}
{{!}}-
}}
{{#if:{{{label9|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label9}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info9|No information}}}
{{!}}-
}}
{{#if:{{{label10|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label10}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info10|No information}}}
{{!}}-
}}
{{#if:{{{label11|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label11}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info11|No information}}}
{{!}}-
}}
{{#if:{{{label12|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label12}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info12|No information}}}
{{!}}-
}}
{{#if:{{{label13|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label13}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info13|No information}}}
{{!}}-
}}
{{#if:{{{label14|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label14}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info14|No information}}}
{{!}}-
}}
{{#if:{{{label15|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label15}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info15|No information}}}
{{!}}-
}}
{{#if:{{{label16|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label16}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info16|No information}}}
{{!}}-
}}
{{#if:{{{label17|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label17}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info17|No information}}}
{{!}}-
}}
{{#if:{{{label18|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label18}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info18|No information}}}
{{!}}-
}}
{{#if:{{{label19|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label19}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info19|No information}}}
{{!}}-
}}
{{#if:{{{label20|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label20}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info20|No information}}}
{{!}}-
}}
{{#if:{{{label21|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label21}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info21|No information}}}
{{!}}-
}}
{{#if: {{{label22|}}}|
{{!}}-
{{!}} colspan="2" style="text-align:center; background:#EEEEEE;" {{!}}
'''Too many parameters'''
{{!}}-
}} <!--
---LEGACY SUPPORT---
--> {{#if:{{{Row 1 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 1 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 1 info|No information}}}
{{#if:{{{Row 2 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 2 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 2 info|No information}}}
{{#if:{{{Row 3 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 3 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 3 info|No information}}}
{{#if:{{{Row 4 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 4 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 4 info|No information}}}
{{#if:{{{Row 5 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 5 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 5 info|No information}}}
{{#if:{{{Row 6 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 6 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 6 info|No information}}}
{{#if:{{{Row 7 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 7 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 7 info|No information}}}
{{#if:{{{Row 8 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 8 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 8 info|No information}}}
{{#if:{{{Row 9 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 9 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 9 info|No information}}}
{{#if:{{{Row 10 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 10 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 10 info|No information}}}
{{#if:{{{Row 11 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 11 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 11 info|No information}}}
{{#if:{{{Row 12 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 12 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 12 info|No information}}}
{{#if:{{{Row 13 title|}}}|
{{!}}-
{{!}} colspan="2" style="text-align:center; background:{{Color|ve1}};" {{!}}
'''Too many parameters'''
}}
}}
}}
}}
}}
}}
}}
}}
}}
}}
}}
}}
}}
{{#if:{{{footer content|}}}|
{{!}}-
{{!}}colspan="2" style="padding:0px;"{{!}}
{{{!}} class="mw-collapsible mw-collapsed" colspan="2" style="width:100%; padding:0px;" cellspacing="0"
! colspan="2" style="text-align: center; background: {{Color|ve1}}; height: 8pt;" {{!}} {{{footer title|}}}
{{!}}- colspan="2"
{{!}} style="padding:0.2em 0.5em 0.0em; max-width:250px; white-space:nowrap; overflow:auto;" {{!}} {{{footer content}}}
{{!}}}
}}
|-
|}<noinclude><br style="clear:both;"/>
<!-- {{documentation}} -->
[[Category:Infobox templates| ]]
</noinclude>
01b28cce37b50fa2f3e2904b8465b06f7540f9ee
137
133
2023-10-21T06:06:44Z
Wowzersbutnot
5
wikitext
text/x-wiki
{| style="background-color; font-size:89%; color:gray; width:300px; margin:{{#ifeq: {{{align|right}}} | left | 0em 1em 1em 0em | 0em 0em 1em 1em }}; border:5px solid; position:relative;" align="{{{align|right}}}" cellspacing="0" class="infobox"
|-
! colspan="2" style="background-color:lightgray; font-size:120%; color:black; padding:1em;" | <!--
--><div style="position: relative"><!--
-->{{#if: {{{icon left|}}}|<div style="position:absolute; left:{{{icon left pos left|-6}}}px; top:{{{icon left pos top|-6}}}px; width:32px; height:32px; text-align:center; line-height:30px;">{{{icon left|[[File:Libza.png| 32px]]}}}</div><!--
--><center><div style="margin-left:32px; margin-right:32px; width:100%-64px; text-align:center;">{{{Box title|No Title}}}</div></center><!--
-->{{#if: {{{icon right|}}}|<div style="position:absolute; right:{{{icon right pos right|-6}}}px; top:{{{icon right pos top|-6}}}px; width:32px; height:32px; text-align:center; line-height:30px;">{{{icon right|[[Libza.png|32px]]}}}</div>}}<!--
-->|{{{Box title|No Title}}} }}</div>
{{#if: {{{image|}}}|
{{!}}-
{{!}} colspan="2" style="background-color:gray; text-align:center; padding:1em; color:gray;" {{!}} [[{{{image}}}|{{{imagewidth|250}}}px]]<br/>{{#if:{{{caption|}}}|{{{caption}}}}}
|{{#if: {{{image complex|}}}|
{{!}}-
{{!}} colspan="2" style="background-color:light-gray; text-align:center; padding:0em;" {{!}} {{{image complex}}}{{#if:{{{caption|}}}|<div style="padding:.3em 1em 1em 1em;">{{{caption}}}</div>}}
}}
}}
{{!}}-
{{#if:{{{header|}}}|
{{!}} colspan="2" style="width:100%; padding:0.5em 0.5em 0.2em 0.5em; text-align:center; vertical-align:text-top;" {{!}}
{{{header}}}
{{!}}-
}}
{{#if:{{{label1|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label1}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info1|Poggers}}}
{{!}}-
}}
{{#if:{{{label2|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label2}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info2|No information}}}
{{!}}-
}}
{{#if:{{{label3|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label3}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info3|No information}}}
{{!}}-
}}
{{#if:{{{label4|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label4}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info4|No information}}}
{{!}}-
}}
{{#if:{{{label5|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label5}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info5|No information}}}
{{!}}-
}}
{{#if:{{{label6|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label6}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info6|No information}}}
{{!}}-
}}
{{#if:{{{label7|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label7}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info7|No information}}}
{{!}}-
}}
{{#if:{{{label8|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label8}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info8|No information}}}
{{!}}-
}}
{{#if:{{{label9|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label9}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info9|No information}}}
{{!}}-
}}
{{#if:{{{label10|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label10}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info10|No information}}}
{{!}}-
}}
{{#if:{{{label11|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label11}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info11|No information}}}
{{!}}-
}}
{{#if:{{{label12|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label12}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info12|No information}}}
{{!}}-
}}
{{#if:{{{label13|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label13}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info13|No information}}}
{{!}}-
}}
{{#if:{{{label14|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label14}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info14|No information}}}
{{!}}-
}}
{{#if:{{{label15|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label15}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info15|No information}}}
{{!}}-
}}
{{#if:{{{label16|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label16}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info16|No information}}}
{{!}}-
}}
{{#if:{{{label17|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label17}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info17|No information}}}
{{!}}-
}}
{{#if:{{{label18|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label18}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info18|No information}}}
{{!}}-
}}
{{#if:{{{label19|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label19}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info19|No information}}}
{{!}}-
}}
{{#if:{{{label20|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label20}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info20|No information}}}
{{!}}-
}}
{{#if:{{{label21|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label21}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info21|No information}}}
{{!}}-
}}
{{#if: {{{label22|}}}|
{{!}}-
{{!}} colspan="2" style="text-align:center; background:#EEEEEE;" {{!}}
'''Too many parameters'''
{{!}}-
}} <!--
---LEGACY SUPPORT---
--> {{#if:{{{Row 1 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 1 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 1 info|No information}}}
{{#if:{{{Row 2 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 2 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 2 info|No information}}}
{{#if:{{{Row 3 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 3 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 3 info|No information}}}
{{#if:{{{Row 4 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 4 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 4 info|No information}}}
{{#if:{{{Row 5 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 5 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 5 info|No information}}}
{{#if:{{{Row 6 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 6 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 6 info|No information}}}
{{#if:{{{Row 7 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 7 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 7 info|No information}}}
{{#if:{{{Row 8 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 8 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 8 info|No information}}}
{{#if:{{{Row 9 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 9 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 9 info|No information}}}
{{#if:{{{Row 10 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 10 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 10 info|No information}}}
{{#if:{{{Row 11 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 11 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 11 info|No information}}}
{{#if:{{{Row 12 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 12 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 12 info|No information}}}
{{#if:{{{Row 13 title|}}}|
{{!}}-
{{!}} colspan="2" style="text-align:center; background:{{Color|ve1}};" {{!}}
'''Too many parameters'''
}}
}}
}}
}}
}}
}}
}}
}}
}}
}}
}}
}}
}}
{{#if:{{{footer content|}}}|
{{!}}-
{{!}}colspan="2" style="padding:0px;"{{!}}
{{{!}} class="mw-collapsible mw-collapsed" colspan="2" style="width:100%; padding:0px;" cellspacing="0"
! colspan="2" style="text-align: center; background: {{Color|ve1}}; height: 8pt;" {{!}} {{{footer title|}}}
{{!}}- colspan="2"
{{!}} style="padding:0.2em 0.5em 0.0em; max-width:250px; white-space:nowrap; overflow:auto;" {{!}} {{{footer content}}}
{{!}}}
}}
|-
|}<noinclude><br style="clear:both;"/>
<!-- {{documentation}} -->
[[Category:Infobox templates| ]]
</noinclude>
496e1e00445cb7237dfecbd6eb64a5402862e2b5
138
137
2023-10-21T06:18:53Z
Wowzersbutnot
5
wikitext
text/x-wiki
{| style="background-color; font-size:89%; color:gray; width:300px; margin:{{#ifeq: {{{align|right}}} | left | 0em 1em 1em 0em | 0em 0em 1em 1em }}; border:5px solid; position:relative;" align="{{{align|right}}}" cellspacing="0" class="infobox"
|-
! colspan="2" style="background-color:lightgray; font-size:120%; color:black; padding:1em;" | <!--
--><div style="position: relative"><!--
-->{{#if: {{{icon left|}}}|<div style="position:absolute; left:{{{icon left pos left|-6}}}px; top:{{{icon left pos top|-6}}}px; width:32px; height:32px; text-align:center; line-height:30px;">{{{icon left|[[File:Libza.png| 32px]]}}}</div><!--
--><center><div style="margin-left:32px; margin-right:32px; width:100%-64px; text-align:center;">{{{Box title|Looksi Gumshu}}}</div></center><!--
-->{{#if: {{{icon right|}}}|<div style="position:absolute; right:{{{icon right pos right|-6}}}px; top:{{{icon right pos top|-6}}}px; width:32px; height:32px; text-align:center; line-height:30px;">{{{icon right|[[Libza.png|32px]]}}}</div>}}<!--
-->|{{{Box title|Looksi Gumshu}}} }}</div>
{{#if: {{{image|}}}|
{{!}}-
{{!}} colspan="2" style="background-color:gray; text-align:center; padding:1em; color:gray;" {{!}} [[{{{image}}}|{{{imagewidth|250}}}px]]<br/>{{#if:{{{caption|}}}|{{{caption}}}}}
|{{#if: {{{image complex|}}}|
{{!}}-
{{!}} colspan="2" style="background-color:light-gray; text-align:center; padding:0em;" {{!}} {{{image complex}}}{{#if:{{{caption|}}}|<div style="padding:.3em 1em 1em 1em;">{{{caption}}}</div>}}
}}
}}
{{!}}-
{{#if:{{{header|}}}|
{{!}} colspan="2" style="width:100%; padding:0.5em 0.5em 0.2em 0.5em; text-align:center; vertical-align:text-top;" {{!}}
{{{header}}}
{{!}}-
}}
{{#if:{{{label1|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label1}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info1|Poggers}}}
{{!}}-
}}
{{#if:{{{label2|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label2}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info2|No information}}}
{{!}}-
}}
{{#if:{{{label3|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label3}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info3|No information}}}
{{!}}-
}}
{{#if:{{{label4|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label4}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info4|No information}}}
{{!}}-
}}
{{#if:{{{label5|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label5}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info5|No information}}}
{{!}}-
}}
{{#if:{{{label6|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label6}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info6|No information}}}
{{!}}-
}}
{{#if:{{{label7|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label7}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info7|No information}}}
{{!}}-
}}
{{#if:{{{label8|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label8}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info8|No information}}}
{{!}}-
}}
{{#if:{{{label9|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label9}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info9|No information}}}
{{!}}-
}}
{{#if:{{{label10|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label10}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info10|No information}}}
{{!}}-
}}
{{#if:{{{label11|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label11}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info11|No information}}}
{{!}}-
}}
{{#if:{{{label12|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label12}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info12|No information}}}
{{!}}-
}}
{{#if:{{{label13|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label13}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info13|No information}}}
{{!}}-
}}
{{#if:{{{label14|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label14}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info14|No information}}}
{{!}}-
}}
{{#if:{{{label15|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label15}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info15|No information}}}
{{!}}-
}}
{{#if:{{{label16|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label16}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info16|No information}}}
{{!}}-
}}
{{#if:{{{label17|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label17}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info17|No information}}}
{{!}}-
}}
{{#if:{{{label18|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label18}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info18|No information}}}
{{!}}-
}}
{{#if:{{{label19|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label19}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info19|No information}}}
{{!}}-
}}
{{#if:{{{label20|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label20}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info20|No information}}}
{{!}}-
}}
{{#if:{{{label21|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label21}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info21|No information}}}
{{!}}-
}}
{{#if: {{{label22|}}}|
{{!}}-
{{!}} colspan="2" style="text-align:center; background:#EEEEEE;" {{!}}
'''Too many parameters'''
{{!}}-
}} <!--
---LEGACY SUPPORT---
--> {{#if:{{{Row 1 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 1 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 1 info|No information}}}
{{#if:{{{Row 2 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 2 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 2 info|No information}}}
{{#if:{{{Row 3 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 3 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 3 info|No information}}}
{{#if:{{{Row 4 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 4 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 4 info|No information}}}
{{#if:{{{Row 5 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 5 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 5 info|No information}}}
{{#if:{{{Row 6 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 6 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 6 info|No information}}}
{{#if:{{{Row 7 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 7 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 7 info|No information}}}
{{#if:{{{Row 8 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 8 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 8 info|No information}}}
{{#if:{{{Row 9 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 9 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 9 info|No information}}}
{{#if:{{{Row 10 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 10 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 10 info|No information}}}
{{#if:{{{Row 11 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 11 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 11 info|No information}}}
{{#if:{{{Row 12 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 12 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 12 info|No information}}}
{{#if:{{{Row 13 title|}}}|
{{!}}-
{{!}} colspan="2" style="text-align:center; background:{{Color|ve1}};" {{!}}
'''Too many parameters'''
}}
}}
}}
}}
}}
}}
}}
}}
}}
}}
}}
}}
}}
{{#if:{{{footer content|}}}|
{{!}}-
{{!}}colspan="2" style="padding:0px;"{{!}}
{{{!}} class="mw-collapsible mw-collapsed" colspan="2" style="width:100%; padding:0px;" cellspacing="0"
! colspan="2" style="text-align: center; background: {{Color|ve1}}; height: 8pt;" {{!}} {{{footer title|}}}
{{!}}- colspan="2"
{{!}} style="padding:0.2em 0.5em 0.0em; max-width:250px; white-space:nowrap; overflow:auto;" {{!}} {{{footer content}}}
{{!}}}
}}
|-
|}<noinclude><br style="clear:both;"/>
<!-- {{documentation}} -->
[[Category:Infobox templates| ]]
</noinclude>
9ba6c34fa4cbf60d5739e178d49209df73b902b8
Yupinh/Infobox
0
37
136
2023-10-21T06:02:32Z
Tanager
7
Created page with "{| style="background-color; font-size:89%; color:black; width:300px; margin:{{#ifeq: {{{align|right}}} | left | 0em 1em 1em 0em | 0em 0em 1em 1em }}; border:5px solid; position:relative;" align="{{{align|right}}}" cellspacing="0" class="infobox" |- ! colspan="2" style="background-color:/; font-size:120%; color:black; padding:1em;" | <!-- --><div style="position: relative"><!-- -->{{#if: {{{icon left|}}}|<div style="position:absolute; left:{{{icon left pos left|-6}}}px; t..."
wikitext
text/x-wiki
{| style="background-color; font-size:89%; color:black; width:300px; margin:{{#ifeq: {{{align|right}}} | left | 0em 1em 1em 0em | 0em 0em 1em 1em }}; border:5px solid; position:relative;" align="{{{align|right}}}" cellspacing="0" class="infobox"
|-
! colspan="2" style="background-color:/; font-size:120%; color:black; padding:1em;" | <!--
--><div style="position: relative"><!--
-->{{#if: {{{icon left|}}}|<div style="position:absolute; left:{{{icon left pos left|-6}}}px; top:{{{icon left pos top|-6}}}px; width:32px; height:32px; text-align:center; line-height:30px;">{{{icon left|[[File:JohnLogo.svg|32px]]}}}</div><!--
--><center><div style="margin-left:32px; margin-right:32px; width:100%-64px; text-align:center;">{{{Box title|No Title}}}</div></center><!--
-->{{#if: {{{icon right|}}}|<div style="position:absolute; right:{{{icon right pos right|-6}}}px; top:{{{icon right pos top|-6}}}px; width:32px; height:32px; text-align:center; line-height:30px;">{{{icon right|[[File:JohnLogo.svg|32px]]}}}</div>}}<!--
-->|{{{Box title|No Title}}} }}</div>
{{#if: {{{image|}}}|
{{!}}-
{{!}} colspan="2" style="background-color:#535353; text-align:center; padding:1em; color:#535353;" {{!}} [[{{{image}}}|{{{imagewidth|250}}}px]]<br/>{{#if:{{{caption|}}}|{{{caption}}}}}
|{{#if: {{{image complex|}}}|
{{!}}-
{{!}} colspan="2" style="background-color:{{Color|ve0}}; text-align:center; padding:0em;" {{!}} {{{image complex}}}{{#if:{{{caption|}}}|<div style="padding:.3em 1em 1em 1em;">{{{caption}}}</div>}}
}}
}}
{{!}}-
{{#if:{{{header|}}}|
{{!}} colspan="2" style="width:100%; padding:0.5em 0.5em 0.2em 0.5em; text-align:center; vertical-align:text-top;" {{!}}
{{{header}}}
{{!}}-
}}
{{#if:{{{label1|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label1}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info1|No information}}}
{{!}}-
}}
{{#if:{{{label2|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label2}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info2|No information}}}
{{!}}-
}}
{{#if:{{{label3|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label3}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info3|No information}}}
{{!}}-
}}
{{#if:{{{label4|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label4}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info4|No information}}}
{{!}}-
}}
{{#if:{{{label5|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label5}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info5|No information}}}
{{!}}-
}}
{{#if:{{{label6|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label6}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info6|No information}}}
{{!}}-
}}
{{#if:{{{label7|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label7}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info7|No information}}}
{{!}}-
}}
{{#if:{{{label8|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label8}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info8|No information}}}
{{!}}-
}}
{{#if:{{{label9|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label9}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info9|No information}}}
{{!}}-
}}
{{#if:{{{label10|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label10}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info10|No information}}}
{{!}}-
}}
{{#if:{{{label11|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label11}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info11|No information}}}
{{!}}-
}}
{{#if:{{{label12|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label12}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info12|No information}}}
{{!}}-
}}
{{#if:{{{label13|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label13}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info13|No information}}}
{{!}}-
}}
{{#if:{{{label14|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label14}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info14|No information}}}
{{!}}-
}}
{{#if:{{{label15|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label15}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info15|No information}}}
{{!}}-
}}
{{#if:{{{label16|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label16}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info16|No information}}}
{{!}}-
}}
{{#if:{{{label17|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label17}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info17|No information}}}
{{!}}-
}}
{{#if:{{{label18|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label18}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info18|No information}}}
{{!}}-
}}
{{#if:{{{label19|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label19}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info19|No information}}}
{{!}}-
}}
{{#if:{{{label20|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label20}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info20|No information}}}
{{!}}-
}}
{{#if:{{{label21|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label21}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info21|No information}}}
{{!}}-
}}
{{#if: {{{label22|}}}|
{{!}}-
{{!}} colspan="2" style="text-align:center; background:#EEEEEE;" {{!}}
'''Too many parameters'''
{{!}}-
}} <!--
---LEGACY SUPPORT---
--> {{#if:{{{Row 1 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 1 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 1 info|No information}}}
{{#if:{{{Row 2 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 2 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 2 info|No information}}}
{{#if:{{{Row 3 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 3 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 3 info|No information}}}
{{#if:{{{Row 4 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 4 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 4 info|No information}}}
{{#if:{{{Row 5 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 5 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 5 info|No information}}}
{{#if:{{{Row 6 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 6 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 6 info|No information}}}
{{#if:{{{Row 7 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 7 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 7 info|No information}}}
{{#if:{{{Row 8 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 8 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 8 info|No information}}}
{{#if:{{{Row 9 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 9 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 9 info|No information}}}
{{#if:{{{Row 10 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 10 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 10 info|No information}}}
{{#if:{{{Row 11 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 11 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 11 info|No information}}}
{{#if:{{{Row 12 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 12 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 12 info|No information}}}
{{#if:{{{Row 13 title|}}}|
{{!}}-
{{!}} colspan="2" style="text-align:center; background:{{Color|ve1}};" {{!}}
'''Too many parameters'''
}}
}}
}}
}}
}}
}}
}}
}}
}}
}}
}}
}}
}}
{{#if:{{{footer content|}}}|
{{!}}-
{{!}}colspan="2" style="padding:0px;"{{!}}
{{{!}} class="mw-collapsible mw-collapsed" colspan="2" style="width:100%; padding:0px;" cellspacing="0"
! colspan="2" style="text-align: center; background: {{Color|ve1}}; height: 8pt;" {{!}} {{{footer title|}}}
{{!}}- colspan="2"
{{!}} style="padding:0.2em 0.5em 0.0em; max-width:250px; white-space:nowrap; overflow:auto;" {{!}} {{{footer content}}}
{{!}}}
}}
|-
|}<noinclude><br style="clear:both;"/>
<!-- {{documentation}} -->
[[Category:Infobox templates| ]]
</noinclude>
01b28cce37b50fa2f3e2904b8465b06f7540f9ee
Calico Drayke
0
2
139
91
2023-10-21T07:21:52Z
Onepeachymo
2
wikitext
text/x-wiki
'''Calico Drayke''', also known by his [[Moonbounce|Moonbounce]] tag, languidMarauder, is one of the major pirate characters and minor antagonist in Re:Symphony. His sign is Aquiun and he is the pirate captain upon the ''Lealda's Dream''.
He joined the server on 9/22/2021, after finding a message in a bottle that contained the link to the server, along with [[Tewkid Bownes|Tewkid]].
==Etymology==
"Calico" was taken from the first name of the pirate "Calico Jack" and "Drayke" comes from the surname of the pirate "Francis Drake".
Languid, from his username, is taken from his smooth and relatively easy-going personality, while Marauder is a clear reference to his ancestor.
==Biography==
====Early Life====
Calico has been sailing as a Pirate Captain since he was incredibly young, with Tewkid as his first mate. Pyrrah attempted to capture them as a bounty, but failed due to Lealda's intervention. Calico and his crew eventually were the targets of a allegiance between Lealda's treasonous crew-mates and another crew of Bluebloods, and they were captured. Lealda once again came to their rescue, and they fought the Bluebloods and double-crossers together. With their remaining members, they merged the two crews. During the conflict, Calico's right eye was permanently damaged.
Lealda got into contact with Skoozy at some point after they merged crews, and he replaced Calico's damaged eye.
Lealda's death was a turning point for Calico and the crew. Teals tried to blame him for their death, but Skoozy was able to get him out of it.
====Act 1====
Calico was asked by Skoozy to crash the server's very first Party, out of petty revenge since he was explicitly not invited to come. He made his first appearance by going around the party gathering dirt on everyone present, then stirring drama up within all of the different groups there. He caused the party to become complete pandemonium before their ship finally crashed into the building, releasing Tewkid & the rest of the crew into the mayhem. They then began badgering and fucking with people in real time, before eventually heading off.
Calico and Tewkid joined the server shortly after this, though Calico hardly ever spoke in it.
====Act 2====
==Personality and Traits==
Calico is a guy that, on a general basis, takes it pretty easy. He's incredibly loyal, both to those who he fully trusts and his beliefs. He can easily enact brutality without any remorse. He's very manipulative and a talented actor. He's soooo cooooool.
==Relationships==
====[[Tewkid Bownes|Tewkid]]====
Tewkid was Calico's closest friend and confidante. He would go through thick and thin for Tewkid, sacrifice anything for him... Calico has known Tewkid longer than anyone else, and until the Fight they were best friends. After the Fight, however, Calico found out that Tewkid was The Deceiver's descendant, and did a complete 180 on him. If not for their prior relationship, Calico would have killed him where he stood, but he was unsure of what to do. Tensions rose on board until Calico finally confronted Tewkid once more about his ancestor, and implied he was going to kick Tewkid from the ship before Pyrrah attacked them and Calico was kidnapped. They have not communicated since.
====[[Skoozy Mcribb|Skoozy]]====
Skoozy has been a close friend of Calico's for a long time. Sometime between Skoozy replacing his eye while they were kids and helping him out with the teals after Lealda's death, they managed to form quite a strong bond. Calico is aware that Skoozy is not a good individual, but he isn't entirely aware of how despicable Skoozy can get.
====[[Salang Lyubov|Venus]]====
====[[Pyrrah Kappen|Pyrrah]]====
==Trivia==
==Gallery==
96897df20e727c037f240280f8a5551f7db4eec7
Calico Drayke/Infobox
0
38
140
2023-10-21T07:26:44Z
Onepeachymo
2
Created page with "{{Character Infobox |name = Calico Drayke |symbol = [[File:|32px]] |symbol2 = [[File:|32px]] |complex = [[File:]] |caption = {{VE Quote|sovara|''(i'm an open book! metaphorically speaking)''}} {{VE|540|}} |intro = 9/22/2021 |first = 159 |title = {{Classpect|Heart|Page}} |age = {{Age|8.21}} |gender = She/Her (Female) |status = Alive |screenname = sanguineAllegory |style = Speaks in ''(parentheses and italics)''. Proper punctuation, except for single periods at the ends o..."
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:|32px]]
|symbol2 = [[File:|32px]]
|complex = [[File:]]
|caption = {{VE Quote|sovara|''(i'm an open book! metaphorically speaking)''}} {{VE|540|}}
|intro = 9/22/2021
|first = 159
|title = {{Classpect|Heart|Page}}
|age = {{Age|8.21}}
|gender = She/Her (Female)
|status = Alive
|screenname = sanguineAllegory
|style = Speaks in ''(parentheses and italics)''. Proper punctuation, except for single periods at the ends of sentences, which are excluded. All lowercase letters except for names, which are typed in ALL CAPS. Quirk resembles stage directions in a script.
|specibus =
|modus = Typewriter
|relations = [[The Annalist|{{VE Quote|sovara|The Annalist}}]] - [[Ancestors|Ancestor]]<br />
[[Albion Shukra|{{VE Quote|albion|Albion Shukra}}]] - [[Quadrants#Matespritship/Flushed Quadrant ♥|Matesprit]]
|planet =[[Land of Daze and Lattice]]
|likes =
|music = {{Music|alone-in-the-rain-2|Alone In The Rain}}<br />
{{Music|poetic-2|Poetic}}<br />
{{Music|through-it-all|Through It All}}<br />
{{Music|aortian-embrace|Aortian Embrace}}<br />
{{Music|the-eternal-siren|The Eternal Siren}}<br />
{{Music|hearts-in-the-wrong-place|Hearts In The Wrong Place}}<br />
{{Music|ringlorn|Ringlorn}}<br />
{{Music|absolute|Absolute}}<br />
{{Music|intermission-lyreflower|INTERMISSION: Lyreflower}}<br />
{{Music|three-minutes-to-midnight|Three Minutes To Midnight}}<br />
|skorpelogs = <tabber>
|-|Act 1=
<p>{{Chatlink|albion}} {{VE|217|Albion: Read.}}</p>
<p>{{Chatlink|dismas}}{{Chatlink|arcjec}}{{Chatlink|jentha}}{{Chatlink|albion}}{{Chatlink|serpaz}}{{Chatlink|laivan}}{{Chatlink|occeus}}{{Chatlink|tazsia}}{{Chatlink|murrit}}{{Chatlink|calder}} {{VE|265|Arcjec: Open Memo}}</p>
|-|Act 2=
<p>{{Chatlink|dismas}}{{Chatlink|arcjec}}{{Chatlink|jentha}}{{Chatlink|ellsee}}{{Chatlink|albion}}{{Chatlink|serpaz}}{{Chatlink|laivan}}{{Chatlink|occeus}}{{Chatlink|tazsia}}{{Chatlink|murrit}}{{Chatlink|calder}} {{VE|448|Ellsee: Begin memo.}}</p>
<p>{{Chatlink|albion}} {{VE|540|======>}}</p>
<p>{{Chatlink|serpaz}}{{VE|651|Sova: Answer Serpaz.}}</p>
<p>{{Chatlink|dismas}}{{Chatlink|arcjec}}{{Chatlink|jentha}}{{Chatlink|ellsee}}{{Chatlink|albion}}{{Chatlink|serpaz}}{{Chatlink|laivan}}{{Chatlink|occeus}}{{Chatlink|tazsia}}{{Chatlink|murrit}}{{Chatlink|calder}}{{VE|884|Arcjec: Open new memo.}}</p>
<p>{{Chatlink|dismas}}{{Chatlink|arcjec}}{{Chatlink|jentha}}{{Chatlink|ellsee}}{{Chatlink|albion}}{{Chatlink|serpaz}}{{Chatlink|laivan}}{{Chatlink|occeus}}{{Chatlink|tazsia}}{{Chatlink|murrit}}{{Chatlink|calder}}{{VE|887|Sova: Keep reading.}}</p>
<p>{{Chatlink|occeus}}{{VE|888|Occeus: Seek aid from one of your confidants.}}</p>
<p>{{Chatlink|edolon}}{{VE|889|Harbinger: Be the Page's client.}}</p>
<p>{{Chatlink|jentha}}{{VE|900|Heir: Aid Page of Heart.}}</p>
|-|Act 3 Act 1=
<p>{{Chatlink|metatron}}{{VE|1655|======>}}</p>
<p>{{Chatlink|dismas}}{{Chatlink|arcjec}}{{Chatlink|jentha}}{{Chatlink|ellsee}}{{Chatlink|albion}}{{Chatlink|serpaz}}{{Chatlink|laivan}}{{Chatlink|occeus}}{{Chatlink|tazsia}}{{Chatlink|murrit}}{{Chatlink|calder}}{{VE|1703|Sova: Disregard that. Lurk in the new memo instead.}}</p>
</tabber>
|aka = Sovara Amalie}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
6aa22dcf96958b2e28cbbea66a1c67a94b03c143
162
140
2023-10-21T08:01:02Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = [[File:]]
|caption = {{VE Quote|sovara|''(i'm an open book! metaphorically speaking)''}} {{VE|540|}}
|intro = 9/22/2021
|first = 159
|title = {{Classpect|Heart|Page}}
|age = {{Age|8.21}}
|gender = She/Her (Female)
|status = Alive
|screenname = sanguineAllegory
|style = Speaks in ''(parentheses and italics)''. Proper punctuation, except for single periods at the ends of sentences, which are excluded. All lowercase letters except for names, which are typed in ALL CAPS. Quirk resembles stage directions in a script.
|specibus =
|modus = Typewriter
|relations = [[The Annalist|{{VE Quote|sovara|The Annalist}}]] - [[Ancestors|Ancestor]]<br />
[[Albion Shukra|{{VE Quote|albion|Albion Shukra}}]] - [[Quadrants#Matespritship/Flushed Quadrant ♥|Matesprit]]
|planet =[[Land of Daze and Lattice]]
|likes =
|music = {{Music|alone-in-the-rain-2|Alone In The Rain}}<br />
{{Music|poetic-2|Poetic}}<br />
{{Music|through-it-all|Through It All}}<br />
{{Music|aortian-embrace|Aortian Embrace}}<br />
{{Music|the-eternal-siren|The Eternal Siren}}<br />
{{Music|hearts-in-the-wrong-place|Hearts In The Wrong Place}}<br />
{{Music|ringlorn|Ringlorn}}<br />
{{Music|absolute|Absolute}}<br />
{{Music|intermission-lyreflower|INTERMISSION: Lyreflower}}<br />
{{Music|three-minutes-to-midnight|Three Minutes To Midnight}}<br />
|skorpelogs = <tabber>
|-|Act 1=
<p>{{Chatlink|albion}} {{VE|217|Albion: Read.}}</p>
<p>{{Chatlink|dismas}}{{Chatlink|arcjec}}{{Chatlink|jentha}}{{Chatlink|albion}}{{Chatlink|serpaz}}{{Chatlink|laivan}}{{Chatlink|occeus}}{{Chatlink|tazsia}}{{Chatlink|murrit}}{{Chatlink|calder}} {{VE|265|Arcjec: Open Memo}}</p>
|-|Act 2=
<p>{{Chatlink|dismas}}{{Chatlink|arcjec}}{{Chatlink|jentha}}{{Chatlink|ellsee}}{{Chatlink|albion}}{{Chatlink|serpaz}}{{Chatlink|laivan}}{{Chatlink|occeus}}{{Chatlink|tazsia}}{{Chatlink|murrit}}{{Chatlink|calder}} {{VE|448|Ellsee: Begin memo.}}</p>
<p>{{Chatlink|albion}} {{VE|540|======>}}</p>
<p>{{Chatlink|serpaz}}{{VE|651|Sova: Answer Serpaz.}}</p>
<p>{{Chatlink|dismas}}{{Chatlink|arcjec}}{{Chatlink|jentha}}{{Chatlink|ellsee}}{{Chatlink|albion}}{{Chatlink|serpaz}}{{Chatlink|laivan}}{{Chatlink|occeus}}{{Chatlink|tazsia}}{{Chatlink|murrit}}{{Chatlink|calder}}{{VE|884|Arcjec: Open new memo.}}</p>
<p>{{Chatlink|dismas}}{{Chatlink|arcjec}}{{Chatlink|jentha}}{{Chatlink|ellsee}}{{Chatlink|albion}}{{Chatlink|serpaz}}{{Chatlink|laivan}}{{Chatlink|occeus}}{{Chatlink|tazsia}}{{Chatlink|murrit}}{{Chatlink|calder}}{{VE|887|Sova: Keep reading.}}</p>
<p>{{Chatlink|occeus}}{{VE|888|Occeus: Seek aid from one of your confidants.}}</p>
<p>{{Chatlink|edolon}}{{VE|889|Harbinger: Be the Page's client.}}</p>
<p>{{Chatlink|jentha}}{{VE|900|Heir: Aid Page of Heart.}}</p>
|-|Act 3 Act 1=
<p>{{Chatlink|metatron}}{{VE|1655|======>}}</p>
<p>{{Chatlink|dismas}}{{Chatlink|arcjec}}{{Chatlink|jentha}}{{Chatlink|ellsee}}{{Chatlink|albion}}{{Chatlink|serpaz}}{{Chatlink|laivan}}{{Chatlink|occeus}}{{Chatlink|tazsia}}{{Chatlink|murrit}}{{Chatlink|calder}}{{VE|1703|Sova: Disregard that. Lurk in the new memo instead.}}</p>
</tabber>
|aka = Sovara Amalie}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
72dc19a17c6f24e04629f1afe900d4b18d22350d
Template:Infobox
10
39
141
2023-10-21T07:27:51Z
Onepeachymo
2
Created page with "{| style="background-color:{{Color|ve1}}; font-size:89%; color:black; width:300px; margin:{{#ifeq: {{{align|right}}} | left | 0em 1em 1em 0em | 0em 0em 1em 1em }}; border:5px solid {{Color|ve3}}; position:relative;" align="{{{align|right}}}" cellspacing="0" class="infobox" |- ! colspan="2" style="background-color:{{Color|ve1}}; font-size:120%; color:black; padding:1em;" | <!-- --><div style="position: relative"><!-- -->{{#if: {{{icon left|}}}|<div style="position:absolut..."
wikitext
text/x-wiki
{| style="background-color:{{Color|ve1}}; font-size:89%; color:black; width:300px; margin:{{#ifeq: {{{align|right}}} | left | 0em 1em 1em 0em | 0em 0em 1em 1em }}; border:5px solid {{Color|ve3}}; position:relative;" align="{{{align|right}}}" cellspacing="0" class="infobox"
|-
! colspan="2" style="background-color:{{Color|ve1}}; font-size:120%; color:black; padding:1em;" | <!--
--><div style="position: relative"><!--
-->{{#if: {{{icon left|}}}|<div style="position:absolute; left:{{{icon left pos left|-6}}}px; top:{{{icon left pos top|-6}}}px; width:32px; height:32px; text-align:center; line-height:30px;">{{{icon left|[[File:JohnLogo.svg|32px]]}}}</div><!--
--><center><div style="margin-left:32px; margin-right:32px; width:100%-64px; text-align:center;">{{{Box title|No Title}}}</div></center><!--
-->{{#if: {{{icon right|}}}|<div style="position:absolute; right:{{{icon right pos right|-6}}}px; top:{{{icon right pos top|-6}}}px; width:32px; height:32px; text-align:center; line-height:30px;">{{{icon right|[[File:JohnLogo.svg|32px]]}}}</div>}}<!--
-->|{{{Box title|No Title}}} }}</div>
{{#if: {{{image|}}}|
{{!}}-
{{!}} colspan="2" style="background-color:{{Color|ve0}}; text-align:center; padding:1em;" {{!}} [[{{{image}}}|{{{imagewidth|250}}}px]]<br/>{{#if:{{{caption|}}}|{{{caption}}}}}
|{{#if: {{{image complex|}}}|
{{!}}-
{{!}} colspan="2" style="background-color:{{Color|ve0}}; text-align:center; padding:0em;" {{!}} {{{image complex}}}{{#if:{{{caption|}}}|<div style="padding:.3em 1em 1em 1em;">{{{caption}}}</div>}}
}}
}}
{{!}}-
{{#if:{{{header|}}}|
{{!}} colspan="2" style="width:100%; padding:0.5em 0.5em 0.2em 0.5em; text-align:center; vertical-align:text-top;" {{!}}
{{{header}}}
{{!}}-
}}
{{#if:{{{label1|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label1}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info1|No information}}}
{{!}}-
}}
{{#if:{{{label2|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label2}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info2|No information}}}
{{!}}-
}}
{{#if:{{{label3|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label3}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info3|No information}}}
{{!}}-
}}
{{#if:{{{label4|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label4}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info4|No information}}}
{{!}}-
}}
{{#if:{{{label5|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label5}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info5|No information}}}
{{!}}-
}}
{{#if:{{{label6|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label6}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info6|No information}}}
{{!}}-
}}
{{#if:{{{label7|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label7}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info7|No information}}}
{{!}}-
}}
{{#if:{{{label8|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label8}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info8|No information}}}
{{!}}-
}}
{{#if:{{{label9|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label9}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info9|No information}}}
{{!}}-
}}
{{#if:{{{label10|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label10}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info10|No information}}}
{{!}}-
}}
{{#if:{{{label11|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label11}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info11|No information}}}
{{!}}-
}}
{{#if:{{{label12|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label12}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info12|No information}}}
{{!}}-
}}
{{#if:{{{label13|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label13}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info13|No information}}}
{{!}}-
}}
{{#if:{{{label14|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label14}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info14|No information}}}
{{!}}-
}}
{{#if:{{{label15|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label15}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info15|No information}}}
{{!}}-
}}
{{#if:{{{label16|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label16}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info16|No information}}}
{{!}}-
}}
{{#if:{{{label17|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label17}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info17|No information}}}
{{!}}-
}}
{{#if:{{{label18|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label18}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info18|No information}}}
{{!}}-
}}
{{#if:{{{label19|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label19}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info19|No information}}}
{{!}}-
}}
{{#if:{{{label20|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label20}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info20|No information}}}
{{!}}-
}}
{{#if:{{{label21|}}}|
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{label21}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{info21|No information}}}
{{!}}-
}}
{{#if: {{{label22|}}}|
{{!}}-
{{!}} colspan="2" style="text-align:center; background:#EEEEEE;" {{!}}
'''Too many parameters'''
{{!}}-
}} <!--
---LEGACY SUPPORT---
--> {{#if:{{{Row 1 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 1 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 1 info|No information}}}
{{#if:{{{Row 2 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 2 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 2 info|No information}}}
{{#if:{{{Row 3 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 3 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 3 info|No information}}}
{{#if:{{{Row 4 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 4 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 4 info|No information}}}
{{#if:{{{Row 5 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 5 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 5 info|No information}}}
{{#if:{{{Row 6 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 6 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 6 info|No information}}}
{{#if:{{{Row 7 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 7 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 7 info|No information}}}
{{#if:{{{Row 8 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 8 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 8 info|No information}}}
{{#if:{{{Row 9 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 9 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 9 info|No information}}}
{{#if:{{{Row 10 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 10 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 10 info|No information}}}
{{#if:{{{Row 11 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 11 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 11 info|No information}}}
{{#if:{{{Row 12 title|}}}|
{{!}}-
{{!}} style="width:30%; padding:0.5em 0.5em 0.2em 0.5em; vertical-align:text-top;" {{!}}
'''{{{Row 12 title}}}'''
{{!}} style="width:70%; padding:0.5em 0.5em 0.2em 0.5em;" {{!}}
{{{Row 12 info|No information}}}
{{#if:{{{Row 13 title|}}}|
{{!}}-
{{!}} colspan="2" style="text-align:center; background:{{Color|ve1}};" {{!}}
'''Too many parameters'''
}}
}}
}}
}}
}}
}}
}}
}}
}}
}}
}}
}}
}}
{{#if:{{{footer content|}}}|
{{!}}-
{{!}}colspan="2" style="padding:0px;"{{!}}
{{{!}} class="mw-collapsible mw-collapsed" colspan="2" style="width:100%; padding:0px;" cellspacing="0"
! colspan="2" style="text-align: center; background: {{Color|ve1}}; height: 8pt;" {{!}} {{{footer title|}}}
{{!}}- colspan="2"
{{!}} style="padding:0.2em 0.5em 0.0em; max-width:250px; white-space:nowrap; overflow:auto;" {{!}} {{{footer content}}}
{{!}}}
}}
|-
|}<noinclude><br style="clear:both;"/>
<!-- {{documentation}} -->
[[Category:Infobox templates| ]]
</noinclude>
cdbe93f138207884e484caa5640076da2081e5d6
Template:Character Infobox
10
40
142
2023-10-21T07:30:07Z
Onepeachymo
2
Created page with "{{infobox |width = {{{width|300}}} |scratch = {{{scratch|}}} |Box title = {{{name|{{BASEPAGENAME}}}}} |icon left = {{ #if: {{{symbol|}}}|{{{symbol}}} }} |icon right = {{ #if: {{{symbol2|}}}|{{{symbol2}}} }} |icon left pos left = {{{symbol pos left|-6}}} |icon left pos top = {{{symbol pos top|-6}}} |icon right pos right = {{{symbol2 pos right|-6}}} |icon right pos top = {..."
wikitext
text/x-wiki
{{infobox
|width = {{{width|300}}}
|scratch = {{{scratch|}}}
|Box title = {{{name|{{BASEPAGENAME}}}}}
|icon left = {{ #if: {{{symbol|}}}|{{{symbol}}} }}
|icon right = {{ #if: {{{symbol2|}}}|{{{symbol2}}} }}
|icon left pos left = {{{symbol pos left|-6}}}
|icon left pos top = {{{symbol pos top|-6}}}
|icon right pos right = {{{symbol2 pos right|-6}}}
|icon right pos top = {{{symbol2 pos top|-6}}}
|image = {{ #if:{{{image|}}} | File:{{{image}}} | {{ #if:{{{complex|}}} | | File:NoImage.gif }} }}
|image complex = {{ #if:{{{complex|}}}|{{nowrap|{{{complex}}}}} }}
|imagewidth = {{{imagewidth|250}}}
|caption = {{{caption|}}}
|bg-color = {{{bg-color|#E0E0E0}}}
|header =
{{ #if: {{{intro|}}}|
<table border="0" width="100%" height="0%" align="center">
<tr >
<td width="50%">{{{{{link|VE}}}|{{{intro}}}|Introduction Page}}</td>
{{ #if: {{{first|}}}|<td width="50%">{{VE|{{{first}}}|First Appearance}}</td>}}
</tr>
</table>
|{{ #if: {{{first|}}}|
<table border="0" width="100%" height="0%" align="center">
<tr >
<td width="100%">{{{{{link|VE}}}|{{{first}}}|First Appearance}}</td>
</tr>
</table>
}}
}}
|label1 = {{ #if: {{{aka|}}}| AKA }}
|info1 = {{{aka}}}
|label2 = {{ #if: {{{title|}}}|[[Mythological Roles|Title]] }}{{ #if: {{{aspect|}}}|[[Aspect|Emanant Aspect]] }}
|info2 = {{ #if: {{{title|}}}|{{{title}}} }}{{ #if: {{{aspect|}}}|{{{aspect}}} }}
|label3 = {{ #if: {{{age|}}}|<abbr title="As of current events of Vast Error.">Age</abbr>|}}
|info3 = {{{age}}}
|label4 = {{#if:{{{gender|{{{genid|}}}}}}|Gender Identity}}
|info4 = {{{gender|{{{genid}}}}}}
|label5 = {{ #if: {{{status|}}}|Status }}
|info5 = {{{status}}}
|label6 = {{ #if: {{{screenname|}}}| [[Skorpe|Screen Name]] }}
|info6 = {{{screenname}}}
|label7 = {{ #if: {{{style|}}}|[[Typing Quirk|Typing Style]] }}
|info7 = {{{style}}}
|label8 = {{ #if: {{{specibus|}}}|[[Strife Deck|Strife Specibi]] }}
|info8 = {{{specibus}}}
|label9 = {{ #if: {{{modus|}}}|[[Sylladex#Fetch Modi|Fetch Modus]] }}
|info9 = {{{modus}}}
|label10 = {{ #if: {{{relations|}}}|Relations }}
|info10 = {{{relations}}}
|label11 = {{ #if: {{{home|}}}|Live(s) in }}
|info11 = {{{home}}}
|label12 = {{ #if: {{{planet|}}}|[[Planets|Planet]] }}
|info12 = {{{planet}}}
|label13 = {{ #if: {{{music|}}}|Music }}
|info13 = {{{music}}}
|label14 =
|info14 = {{navbar|{{{name|{{BASEPAGENAME}}}}}/Infobox|float=right}}
|footer title = {{ #if: {{{skorpelogs|}}}|Chatlogs}}
|footer content = {{ #if: {{{skorpelogs|}}}|{{{skorpelogs}}}}}
}}<noinclude>
{{documentation}}
[[Category:Infobox templates]]
</noinclude>
5ab932b9e68f7c8a4d0167295ac81c65b51c3d43
Template:Color
10
41
143
2023-10-21T07:37:00Z
Onepeachymo
2
Created page with "<!--EDITING THIS PAGE WILL NOT MODIFY THE CHEATSHEET. IF YOU WANT TO ADD A NEW COLOR, ADD IT HERE FIRST, THEN CHANGE THE CHEATSHEET ACCORDINGLY.--><includeonly>{{#if: {{{2|}}}<!-- -->|<span style="color:}}<!-- -->{{#switch: {{lc:{{{1|}}}}}<!-- ----------------------------------- STANDARD DCRC THEME TONES -- -->| 0 = #000000 <!-- -->| 1 = #323232 <!-- -->| 2 = #4B4B4B <!-- -->| 3 = #535353 <!-- -->| 4 = #636363 <!-- -->| 5 = #C6C6C6 <!-- -->| 6 =..."
wikitext
text/x-wiki
<!--EDITING THIS PAGE WILL NOT MODIFY THE CHEATSHEET. IF YOU WANT TO ADD A NEW COLOR, ADD IT HERE FIRST, THEN CHANGE THE CHEATSHEET ACCORDINGLY.--><includeonly>{{#if: {{{2|}}}<!--
-->|<span style="color:}}<!--
-->{{#switch: {{lc:{{{1|}}}}}<!--
----------------------------------- STANDARD DCRC THEME TONES --
-->| 0 = #000000 <!--
-->| 1 = #323232 <!--
-->| 2 = #4B4B4B <!--
-->| 3 = #535353 <!--
-->| 4 = #636363 <!--
-->| 5 = #C6C6C6 <!--
-->| 6 = #EEEEEE <!--
-->| 7 = #FFFFFF <!--
-->| ve0 = #EEEEEE <!--
-->| ve1 = #CCCCCC <!--
-->| ve2 = #999999 <!--
-->| ve3 = #777777 <!--
-->| ve4 = #444444 <!--
-->| ve5 = #202020 <!--
-->| dcrc black = #0F0F0F <!--
-->| dcrc white = #F0F0F0 <!--
----------------------------------- ACTS -------------
-->| act1|a1 = #B95C00 <!--
-->| intermission1|i1 = #000000 <!--
-->| act2|a2 = #6B8400 <!--
-->| intermission2side1|i2s1 = #351544 <!--
-->| intermission2side2|i2s2 = #06FFC9 <!--
-->| act3act1|a3a1 = #7F0000 <!--
-------------------------------- HEMOSPECTRUM ---------
CASTE ORDER IS SORTED BY BRIGHTNESS VALUE FIRST (FROM HIGHEST TO LOWEST) FOLLOWED BY SORTING BY SATURATION (FROM HIGHEST TO LOWEST) FOLLOWED BY SORTING BY HUE (FROM LOWEST TO HIGHEST)
Each bloodcaste within the hemospectrum is loosely determined by the temperature value of a blood color's hex value. Each caste has a 30° temperature range in which a hex value can fall. The caste hue temperatures are as follows:
346°-360°/0°-15° — Redblood
16°-45° — Bronzeblood
46°-75° — Yellowblood (Raines Limeblood omitted)
76°-105° — 'Limeblood' (As Limeblood as a caste does not exist, Greenblood sometimes overflows into this range.)
106°-135° — Greenblood
136°-165° — Jadeblood
166°-195° — Tealblood
196°-225° — Blueblood
226°-255° — Indigoblood
256°-285° — Purpleblood
286°-315° — Violetblood
316°-345° — Fuchsiablood
Each bloodcaste has 3 different Subshades (§) within their temperature range which are determined by their brightness value. Using the Redblood caste as an example, the § of a bloodcaste are as follows:
0-32% Brightness — Maroonblood (Darkest §)
33-66% Brightness — Rustblood (Average §)
67-100% Brightness — Scarletblood (Brightest §)
The saturation of a blood color's hex code has no bearing on its classification on the hemospectrum and is used solely for organizational purposes within a §.
Using Jentha's blood as an example, we can classify them as a Goldblood. Their blood color's hex code (#B49E18) has a Hue of 52°, a Brightness of 71%, and a Saturation of 87%. The 52° Hue falls within the 46°-75° temperature range of the Yellowblood caste, and the 71% Brightness falls within the 67-100% Brightness range of the Brightest §, ie. Goldblood.
The following color codes will be suffixed with their values listed as Brightness/Saturation/Hue
-->| scarletblood02 = #FF3646 <!-- 100/79/355
-->| scarletblood03|yeshin = #CD4748 <!-- 80/65/0
-->| scarletblood04|quever = #B2112B <!-- 70/90/350
-->| scarletblood = #C00000 <!-- 75/100/0
-->| rustblood07|shiopa = #A34434 <!-- 64/68/9
-->| rustblood02|cinare = #962600 <!-- 59/100/15
-->| rustblood03|valtel = #930000 <!-- 58/100/0
-->| rustblood08|lutzia = #8E0F0F <!-- 56/89/0
-->| redblood|rustblood = #800000 <!-- 50/100/0
-->| rustblood04|sovara|sova|annalist = #7F0000 <!-- 50/100/0
-->| rustblood05|racren = #690000 <!-- 41/100/0
-->| rustblood06|cepros = #631613 <!-- 39/81/2
-->| maroonblood = #400000 <!-- 25/100/0
-->| clayblood06|talald = #CD6500 <!-- 80/100/30
-->| clayblood02|dismas|fomentor = #C44000 <!-- 77/100/20
-->| clayblood = #C06000 <!-- 75/100/30
-->| clayblood05|rodere = #B45014 <!-- 71/89/23
-->| clayblood07|garnie = #B48E44 <!-- 71/62/40
-->| clayblood04|husske = #B25D2C <!-- 70/75/22
-->| clayblood08|hemiot = #A3731A <!-- 64/84/39
-->| clayblood03 = #A03D02 <!-- Unnamed Clayblood Troll 63/99/22
-->| bronzeblood|colablood = #804000 <!-- 50/100/30
-->| umberblood03|unknown = #49311A <!-- 29/64/29
-->| umberblood = #402000 <!-- 25/100/30
-->| umberblood02|degner = #2D261D <!-- 18/36/34
-->| cornsyrupblood|arcjec|thesal|forgiven = #B95C00 <!--
-->| goldblood03|mshiri = #FBEC5D <!-- 98/63/54
-->| goldblood08|medjed = #E6B400 <!-- 90/100/47
-->| goldblood09|cul|culium = #D8AA09 <!-- 85/96/47
-->| goldblood07|vyr|vyrmis = #DAAF2D <!-- 85/79/45
-->| mshiri02 = #D4C64E <!-- 83/63/54
-->| goldblood = #C0C000 <!-- 75/100/60
-->| goldblood06|vellia = #BDAA00 <!-- 74/100/54
-->| goldblood02|jentha|mosura|supernova|lipsen = #B49E18 <!-- 71/87/52
-->| goldblood05|hayyan = #B29E14 <!-- 70/89/52
-->| goldblood04|sabine = #B07800 <!-- 69/100/41
-->| yellowblood|mustardblood = #808000 <!-- 50/100/60
-->| ciderblood = #404000 <!-- 25/100/60
-->| limeblood|ellsee|zekura|vivifier = #6C8400 <!--
-->| cloverblood = #00C000 <!-- 75/100/120
-->| oliveblood04|sirage = #619319 <!-- 58/83/85
-->| greenblood|oliveblood = #008000 <!-- 50/100/120
-->| oliveblood05|mekris = #207D00 <!-- 49/100/105
-->| oliveblood02|albion|cyprim|exemplar = #407D00 <!-- 49/100/89
-->| oliveblood06|pascal = #5D7B49 <!-- 48/41/96
-->| oliveblood07|linole = #43723C <!-- 45/47/112
-->| oliveblood03|noxious|aumtzi = #446F09 <!-- 44/92/85
-->| oliveblood08 = #405E2E <!-- 37/51/98
-->| pineblood02|ochreblood02|raurou = #48574A <!-- 34/17/128
-->| pineblood|ochreblood = #004000 <!-- 25/100/120
-->| pineblood03|ochreblood03|tenemi = #033B03 <!-- 23/65/120
-->| fernblood = #00C060 <!-- 75/100/150
-->| viridianblood04|gerbat = #039639 <!-- 59/98/142
-->| jadeblood|viridianblood = #008040 <!-- 50/100/150
-->| viridianblood05|cepora = #007E52 <!-- 49/100/159
-->| viridianblood03|glomer = #397E57 <!-- 49/55/146
-->| viridianblood02|hamifi = #00722D <!-- 45/100/144
-->| viridianblood06|principal = #346547 <!-- 40/49/143
-->| mossblood = #004020 <!-- 25/100/150
-->| cyanblood02|femmis = #06D6D6 <!-- 84/97/180
-->| cyanblood = #00C0C0 <!-- 75/100/180
-->| cyanblood03|turnin = #01C09F <!-- 75/99/170
-->| turquoiseblood04|serpaz|bohemian = #00A596 <!-- 65/100/175
-->| turquoiseblood05|helica = #04A180 <!-- 63/98/167
-->| turquoiseblood02|secily|arcamu|commandant = #0989A0 <!-- 63/94/189
-->| turquoiseblood06|alcest = #728682 <!-- 53/15/168
-->| tealblood|turquoiseblood = #008080 <!-- 50/100/180
-->| turquoiseblood03|crytum = #2D6461 <!-- 39/55/177
-->| cyprusblood02|aislin = #005E5E <!-- 37/100/180
-->| cyprusblood = #004040 <!-- 25/100/180
-->| cyprusblood03|cadlys = #163B3B <!-- 23/63/180
-->| aegeanblood04|kimosh = #018BCB <!-- 80/100/199
-->| aegeanblood = #0060C0 <!-- 75/100/210
-->| aegeanblood02|bytcon = #0040AF <!-- 69/100/218
-->| cobaltblood02|laivan|jagerman = #004696 <!-- 59/100/212
-->| cobaltblood03|necron = #004182 <!-- 51/100/210
-->| blueblood|cobaltblood = #004080 <!-- 50/100/210
-->| cobaltblood04|iderra = #00317C <!-- 49/100/216
-->| prussianblood = #002040 <!-- 25/100/210
-->| denimblood = #0000C0 <!-- 75/100/240
-->| navyblood05|divino = #292FA5 <!-- 65/75/237
-->| indigoblood|navyblood = #000080 <!-- 50/100/240
-->| navyblood04|rypite|gascon|bravura = #1A1280 <!-- 50/86/244
-->| navyblood02|occeus|vanguard = #00007F <!-- 50/100/240
-->| navyblood03|dexous = #000063 <!-- 39/100/240
-->| midnightblood = #000040 <!-- 25/100/240
-->| midnightblood02|pramen = #101020 <!-- 13/50/240
-->| amethystblood02|cretas = #630BCD <!-- 80/95/267
-->| amethystblood = #6000C0 <!-- 75/100/270
-->| amethystblood03|roxett = #9880AB <!-- 67/25/273
-->| jamblood08|gingou = #67489B <!-- 61/54/262
-->| jamblood05|keiksi = #510E93 <!-- 58/90/270
-->| jamblood09|nez|nezrui = #5E4689 <!-- 54/49/261
-->| jamblood07|seinru = #390180 <!-- 50/99/266
-->| purpleblood|jamblood = #400080 <!-- 50/100/270
-->| jamblood02|tazsia|taz|deadlock = #39017F <!-- 50/99/267
-->| jamblood04|endari = #39007E <!-- 49/100/267
-->| jamblood03|sestro|clarud|executive = #61467B <!-- 48/43/271
-->| jamblood06|vilcus = #411E68 <!-- 41/71/268
-->| aubergineblood02|edolon = #270051 <!-- 32/100/269
-->| aubergineblood03|pozzol = #392C52 <!-- 32/46/261
-->| aubergineblood04|neilna = #2C154A <!-- 29/72/266
-->| aubergineblood = #200040 <!-- 25/100/270
-->| orchidblood = #C000C0 <!-- 75/100/300
-->| magentablood02|calder|persolus = #A00078 <!-- 63/100/315
-->| violetblood|magentablood = #800080 <!-- 50/100/300
-->| byzantineblood03 = #570057 <!-- 34/100/300
-->| byzantineblood04|oricka = #542853 <!-- 33/52/301
-->| byzantineblood02|murrit|switchem = #510049 <!-- 32/100/306
-->| byzantineblood = #400040 <!-- 25/100/300
-->| roseblood = #C00060 <!-- 75/100/330
-->| fuchsiablood|ceriseblood = #800040 <!-- 50/100/330
-->| wineblood = #400020 <!-- 25/100/330
--------------------------------- OTHER ---------------
-->| whitenoise = #000000<!--
-->| mimesis = #FFFFFF<!--
-------------------------------------- DENIZENS --
-->| haniel = #404050 <!--
| forcas = #
| bathkol = #
-->| zehanpuryu = #0052F2 <!--
-->| lilith = #B7A99A <!--
-->| af = #F94F00 <!--
| gusion = # ;
| jegudial = # ;
-->| azbogah = #9C4DAD <!--
| wormwood = #
| sorush = #
| procel = #
-->| metatron = #363636 <!--
------------------------------------- CONSORTS AND OTHERS --
-->| rogi = #ABA698 <!--
-->| guy = #CC05B6 <!--
-->| lady = #55C91B <!--
-->| bucko = #C62501 <!--
-->| man = #13A872 <!--
-->| kid = #ADDB03 <!--
-->| tee hanos = #573D76 <!--
----------------------------------------- ASPECTS --
-->| breath = #4379E6<!--
-->| light = #F0840C<!--
-->| time = #B70D0E<!--
-->| space = #000000<!--
-->| mind = #00923D<!--
-->| heart = #55142A<!--
-->| life = #A49787<!--
-->| void = #104EA2<!--
-->| hope = #FFDE55<!--
-->| doom = #306800<!--
-->| blood = #3E1601<!--
-->| rage = #520C61<!--
-->| breath symbol = #47DFF9<!--
-->| light symbol = #F6FA4E<!--
-->| time symbol = #FF2106<!--
-->| space symbol = #FFFFFF<!--
-->| mind symbol = #06FFC9<!--
-->| heart symbol = #BD1864<!--
-->| life symbol = #72EB34<!--
-->| void symbol = #001A58<!--
-->| hope symbol = #FDFDFD<!--
-->| doom symbol = #000000<!--
-->| blood symbol = #BA1016<!--
-->| rage symbol = #9C4DAD<!--
----------------------------------------- QUADRANTS --
-->| flushed = #BF0000<!--
-->| pale = #C39797<!--
-->| ashen = #777777<!--
-->| caliginous = #000000<!--
------------------------------------------- OTHER --
-->| strife = #008C45<!--
-->| strife dark = #00603B<!--
-->| strife mid = #00C661<!--
-->| strife light = #00E371<!--
-->| prospit = #E49700<!--
-->| prospit symbol = #FFFF01<!--
-->| derse = #9700E4<!--
-->| derse symbol = #FF01FE<!--
----------------------------------------- DEFAULT --
-->| #default = {{{1}}}<!--
-->}}{{#if: {{{2|}}}|">{{{2}}}</span>}}</includeonly><noinclude>{{/Cheatsheet}}[[Category:Templates]]</noinclude>
8071f2ac36204159ae802ed3089859691467e234
Template:Color/Cheatsheet
10
42
144
2023-10-21T07:37:38Z
Onepeachymo
2
Created page with "{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0;" |-style="min-height:50px;" |style="width:12.5%; background:{{color|0}}; color:white;"|0<br />{{color|0}} |style="width:12.5%; background:{{color|1}}; color:white;"|1<br />{{color|1}} |style="width:12.5%; background:{{color|2}}; color:white;"|2<br />{{color|2}} |style="width:12.5%; background:{{color|3}}; color:white;"|3<br />{{color|3}} |style="width:12.5..."
wikitext
text/x-wiki
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0;"
|-style="min-height:50px;"
|style="width:12.5%; background:{{color|0}}; color:white;"|0<br />{{color|0}}
|style="width:12.5%; background:{{color|1}}; color:white;"|1<br />{{color|1}}
|style="width:12.5%; background:{{color|2}}; color:white;"|2<br />{{color|2}}
|style="width:12.5%; background:{{color|3}}; color:white;"|3<br />{{color|3}}
|style="width:12.5%; background:{{color|4}}; color:white;"|4<br />{{color|4}}
|style="width:12.5%; background:{{color|5}}; color:black;"|5<br />{{color|5}}
|style="width:12.5%; background:{{color|6}}; color:black;"|6<br />{{color|6}}
|style="width:12.5%; background:{{color|7}}; color:black;"|7<br />{{color|7}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0;"
|-style="min-height:50px;"
|style="width:50%; background:{{color|dcrc black}}; color:white;"|dcrc black<br />{{color|dcrc black}}
|style="width:50%; background:{{color|dcrc white}}; color:black;"|dcrc white<br />{{color|dcrc white}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:white;"
|-style="min-height:50px;"
|style="width: 100%; background:{{color|a1}};"|act1 / a1<br />{{color|a1}}
|-style="min-height:50px;"
|style="width: 100%; background:{{color|i1}};"|intermission1 / i1<br />{{color|i1}}
|-style="min-height:50px;"
|style="width: 100%; background:{{color|a2}};"|act2 / a2<br />{{color|a2}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; border-top: 0; color:white;"
|-style="min-height:50px;"
|style="width: 50%; background:{{color|i2s1}};"|intermission2side1 / i2s1<br />{{color|i2s1}}
|style="width: 50%; background:{{color|i2s2}};"|intermission2side2 / i2s2<br />{{color|i2s2}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; border-top: 0; color:white;"
|-style="min-height:50px;"
|style="width: 100%; background:{{color|a3a1}};"|act3act1 / a3a1<br />{{color|a3a1}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:white;"
|-style="min-height:50px;"
|style="width:25%; background:{{Color|redblood}};" rowspan="1"|redblood<br />{{Color|redblood}}
|style="width:25%; background:{{Color|bronzeblood}};" rowspan="1"|bronzeblood<br />{{Color|bronzeblood}}
|style="width:25%; background:{{Color|cornsyrupblood}};" rowspan="14"|cornsyrupblood / arcjec / thesal / forgiven<br />{{Color|cornsyrupblood}}
|style="width:25%; background:{{Color|yellowblood}};" rowspan="1"|yellowblood<br />{{Color|yellowblood}}
|-style="min-height:50px;"
|style="background:{{Color|scarletblood02}};"|scarletblood02<br />{{Color|scarletblood02}}
|style="background:{{Color|clayblood06}};"|clayblood06 / talald<br />{{Color|clayblood06}}
|style="background:{{Color|goldblood03}};"|goldblood03 / mshiri<br />{{Color|goldblood03}}
|-style="min-height:50px;"
|style="background:{{Color|scarletblood03}};"|scarletblood03 / yeshin<br />{{Color|scarletblood03}}
|style="background:{{Color|clayblood02}};"|clayblood02 / dismas / fomenter<br />{{Color|clayblood02}}
|style="background:{{Color|goldblood08}};"|goldblood08 / medjed<br />{{Color|goldblood08}}
|-style="min-height:50px;"
|style="background:{{Color|scarletblood}};"|scarletblood<br />{{Color|scarletblood}}
|style="background:{{Color|clayblood}};"|clayblood<br />{{Color|clayblood}}
|style="background:{{Color|goldblood09}};"|goldblood09 / cul / culium<br />{{Color|goldblood09}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood07}};"|rustblood07 / shiopa<br />{{Color|rustblood07}}
|style="background:{{Color|clayblood05}};"|clayblood05 / rodere<br />{{Color|clayblood05}}
|style="background:{{Color|goldblood07}};"|goldblood07 / vyr / vyrmis<br />{{Color|goldblood07}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood02}};"|rustblood02 / cinare<br />{{Color|rustblood02}}
|style="background:{{Color|clayblood07}};"|clayblood07 / garnie<br />{{Color|clayblood07}}
|style="background:{{Color|mshiri02}};"|mshiri02<br />{{Color|mshiri02}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood03}};"|rustblood03 / valtel<br />{{Color|rustblood03}}
|style="background:{{Color|clayblood04}};"|clayblood04 / husske<br />{{Color|clayblood04}}
|style="background:{{Color|goldblood}};"|goldblood<br />{{Color|goldblood}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood08}};"|rustblood08 / lutzia<br />{{Color|rustblood08}}
|style="background:{{Color|clayblood08}};"|clayblood08 / hemiot<br />{{Color|clayblood08}}
|style="background:{{Color|goldblood06}};"|goldblood06 / vellia<br />{{Color|goldblood06}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood}};"|rustblood<br />{{Color|rustblood}}
|style="background:{{Color|clayblood03}};"|clayblood03<br />{{Color|clayblood03}}
|style="background:{{Color|goldblood02}};"|goldblood02 / lipsen / jentha / mosura / supernova<br />{{Color|goldblood02}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood04}};"|rustblood04 / sovara / sova / annalist<br />{{Color|rustblood04}}
|style="background:{{Color|colablood}};"|colablood<br />{{Color|colablood}}
|style="background:{{Color|goldblood05}};"|goldblood05 / hayyan<br />{{Color|goldblood05}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood05}};"|rustblood05 / racren<br />{{Color|rustblood05}}
|style="background:{{Color|umberblood03}};"|umberblood03 / unknown<br />{{Color|umberblood03}}
|style="background:{{Color|goldblood04}};"|goldblood04 / sabine<br />{{Color|goldblood04}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood06}};"|rustblood06 / cepros<br />{{Color|rustblood06}}
|style="background:{{Color|umberblood}};"|umberblood<br />{{Color|umberblood}}
|style="background:{{Color|mustardblood}};"|mustardblood<br />{{Color|mustardblood}}
|-style="min-height:50px;"
|style="background:{{Color|maroonblood}};"|maroonblood<br />{{Color|maroonblood}}
|style="background:{{Color|umberblood02}};"|umberblood02 / degner<br />{{Color|umberblood02}}
|style="background:{{Color|ciderblood}};"|ciderblood<br />{{Color|ciderblood}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-top:0; border-bottom:0; color:white;"
|-style="min-height:50px;"
|style="width:20%; background:{{Color|limeblood}};" rowspan="13"|limeblood / ellsee / zekura / vivifier<br />{{Color|limeblood}}
|style="width:20%; background:{{Color|greenblood}};" rowspan="1"|greenblood<br />{{Color|greenblood}}
|style="width:20%; background:{{Color|jadeblood}};" rowspan="5"|jadeblood<br />{{Color|jadeblood}}
|style="width:20%; background:{{Color|tealblood}};"rowspan="1" |tealblood<br />{{Color|tealblood}}
|style="width:20%; background:{{Color|blueblood}};" rowspan="5"|blueblood<br />{{Color|blueblood}}
|-style="min-height:50px;"
|style="background:{{Color|cloverblood}};"|cloverblood<br />{{Color|cloverblood}}
|style="background:{{Color|cyanblood02}};"|cyanblood02 / femmis<br />{{Color|cyanblood02}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood04}};"|oliveblood04 / sirage<br />{{Color|oliveblood04}}
|style="background:{{Color|cyanblood}};"|cyanblood<br />{{Color|cyanblood}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood}};"|oliveblood<br />{{Color|oliveblood}}
|style="background:{{Color|cyanblood03}};"|cyanblood03 / turnin<br />{{Color|cyanblood03}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood05}};"|oliveblood05 / mekris<br />{{Color|oliveblood05}}
|style="background:{{Color|turquoiseblood04}};"|turquoiseblood04 / serpaz / bohemian<br />{{Color|turquoiseblood04}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood02}};"|oliveblood02 / albion / cyprim / exemplar<br />{{Color|oliveblood02}}
|style="background:{{Color|fernblood}};"|fernblood<br />{{Color|fernblood}}
|style="background:{{Color|turquoiseblood05}};"|turquoiseblood05 / helica<br />{{Color|turquoiseblood05}}
|style="background:{{Color|aegeanblood04}};"|aegeanblood04 / kimosh<br />{{Color|aegeanblood04}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood06}};"|oliveblood06 / pascal<br />{{Color|oliveblood06}}
|style="background:{{Color|viridianblood04}};"|viridianblood04 / gerbat<br />{{Color|viridianblood04}}
|style="background:{{Color|turquoiseblood02}};"|turquoiseblood02 / secily / arcamu / commandant<br />{{Color|turquoiseblood02}}
|style="background:{{Color|aegeanblood}};"|aegeanblood<br />{{Color|aegeanblood}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood07}};"|oliveblood07 / linole<br />{{Color|oliveblood07}}
|style="background:{{Color|viridianblood}};"|viridianblood<br />{{Color|viridianblood}}
|style="background:{{Color|turquoiseblood06}};"|turquoiseblood06 / alcest<br />{{Color|turquoiseblood06}}
|style="background:{{Color|aegeanblood02}};"|aegeanblood02 / bytcon<br />{{Color|aegeanblood02}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood03}};"|oliveblood03 / noxious / aumtzi<br />{{Color|oliveblood03}}
|style="background:{{Color|viridianblood05}};"|viridianblood05 / cepora<br />{{Color|viridianblood05}}
|style="background:{{Color|turquoiseblood}};"|turquoiseblood<br />{{Color|turquoiseblood}}
|style="background:{{Color|cobaltblood02}};"|cobaltblood02 / laivan / jagerman<br />{{Color|cobaltblood02}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood08}};"|oliveblood08<br />{{Color|oliveblood08}}
|style="background:{{Color|viridianblood03}};"|viridianblood03 / glomer<br />{{Color|viridianblood03}}
|style="background:{{Color|turquoiseblood03}};"|turquoiseblood03 / crytum<br />{{Color|turquoiseblood03}}
|style="background:{{Color|cobaltblood03}};"|cobaltblood03 / necron<br />{{Color|cobaltblood03}}
|-style="min-height:50px;"
|style="background:{{Color|pineblood02}};"|pineblood02 / raurou<br />{{Color|pineblood02}}
|style="background:{{Color|viridianblood02}};"|viridianblood02 / hamifi<br />{{Color|viridianblood02}}
|style="background:{{Color|cyprusblood02}};"|cyprusblood02 / aislin<br />{{Color|cyprusblood02}}
|style="background:{{Color|cobaltblood}};"|cobaltblood<br />{{Color|cobaltblood}}
|-style="min-height:50px;"
|style="background:{{Color|pineblood}};"|pineblood<br />{{Color|pineblood}}
|style="background:{{Color|viridianblood06}};"|viridianblood06 / principal<br />{{Color|viridianblood06}}
|style="background:{{Color|cyprusblood}};"|cyprusblood<br />{{Color|cyprusblood}}
|style="background:{{Color|cobaltblood04}};"|cobaltblood04 / iderra<br />{{Color|cobaltblood04}}
|-style="min-height:50px;"
|style="background:{{Color|pineblood03}};"|pineblood03 / tenemi<br />{{Color|pineblood03}}
|style="background:{{Color|mossblood}};"|mossblood<br />{{Color|mossblood}}
|style="background:{{Color|cyprusblood03}};"|cyprusblood03 / cadlys<br />{{Color|cyprusblood03}}
|style="background:{{Color|prussianblood}};"|prussianblood<br />{{Color|prussianblood}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-top:0; border-bottom:0; color:white;"
|-style="min-height:50px;"
|style="width:25%; background:{{Color|indigoblood}};" rowspan="9"|indigoblood<br />{{Color|indigoblood}}
|style="width:25%; background:{{Color|purpleblood}};" rowspan="1"|purpleblood<br />{{Color|purpleblood}}
|style="width:25%; background:{{Color|violetblood}};" rowspan="10"|violetblood<br />{{Color|violetblood}}
|style="width:25%; background:{{Color|fuchsiablood}};" rowspan="14"|fuchsiablood<br />{{Color|fuchsiablood}}
|-style="min-height:50px;"
|style="background:{{Color|amethystblood02}};"|amethystblood02 / cretas<br />{{Color|amethystblood02}}
|-style="min-height:50px;"
|style="background:{{Color|amethystblood}};"|amethystblood<br />{{Color|amethystblood}}
|-style="min-height:50px;"
|style="background:{{Color|amethystblood03}};"|amethystblood03 / roxett<br />{{Color|amethystblood03}}
|-style="min-height:50px;"
|style="background:{{Color|jamblood08}};"|jamblood08 / gingou<br />{{Color|jamblood08}}
|-style="min-height:50px;"
|style="background:{{Color|jamblood09}};"|jamblood09 / nez / nezrui<br />{{Color|jamblood09}}
|-style="min-height:50px;"
|style="background:{{Color|jamblood05}};"|jamblood05 / keiksi<br />{{Color|jamblood05}}
|-style="min-height:50px;"
|style="background:{{Color|jamblood}};"|jamblood<br />{{Color|jamblood}}
|-style="min-height:50px;"
|style="background:{{Color|jamblood07}};"|jamblood07 / seinru<br />{{Color|jamblood07}}
|-style="min-height:50px;"
|style="background:{{Color|denimblood}};"|denimblood<br />{{Color|denimblood}}
|style="background:{{Color|jamblood02}};"|jamblood02 / tazsia / taz / deadlock<br />{{Color|jamblood02}}
|-style="min-height:50px;"
|style="background:{{Color|navyblood05}};"|navyblood05 / divino<br />{{Color|navyblood05}}
|style="background:{{Color|jamblood04}};"|jamblood04 / endari<br />{{Color|jamblood04}}
|style="background:{{Color|orchidblood}};"|orchidblood<br />{{Color|orchidblood}}
|-style="min-height:50px;"
|style="background:{{Color|navyblood04}};"|navyblood04 / rypite / gascon / bravura<br />{{Color|navyblood04}}
|style="background:{{Color|jamblood03}};"|jamblood03 / sestro / clarud / executive<br />{{Color|jamblood03}}
|style="background:{{Color|magentablood02}};"|magentablood02 / calder / persolus<br />{{Color|magentablood02}}
|-style="min-height:50px;"
|style="background:{{Color|navyblood}};"|navyblood<br />{{Color|navyblood}}
|style="background:{{Color|jamblood06}};"|jamblood06 / vilcus<br />{{Color|jamblood06}}
|style="background:{{Color|magentablood}};"|magentablood<br />{{Color|magentablood}}
|-style="min-height:50px;"
|style="background:{{Color|navyblood02}};"|navyblood02 / occeus / vanguard<br />{{Color|navyblood02}}
|style="background:{{Color|aubergineblood02}};"|aubergineblood02 / edolon<br />{{Color|aubergineblood02}}
|style="background:{{Color|byzantineblood03}};"|byzantineblood03<br />{{Color|byzantineblood03}}
|-style="min-height:50px;"
|style="background:{{Color|navyblood03}};"|navyblood03 / dexous<br />{{Color|navyblood03}}
|style="background:{{Color|aubergineblood03}};"|aubergineblood03 / pozzol<br />{{Color|aubergineblood03}}
|style="background:{{Color|byzantineblood04}};"|byzantineblood04 / oricka<br />{{Color|byzantineblood04}}
|style="background:{{Color|roseblood}};"|roseblood<br />{{Color|roseblood}}
|-style="min-height:50px;"
|style="background:{{Color|midnightblood}};"|midnightblood<br />{{Color|midnightblood}}
|style="background:{{Color|aubergineblood04}};"|aubergineblood04 / neilna<br />{{Color|aubergineblood04}}
|style="background:{{Color|byzantineblood02}};"|byzantineblood02 / murrit / switchem<br />{{Color|byzantineblood02}}
|style="background:{{Color|ceriseblood}};"|ceriseblood<br />{{Color|ceriseblood}}
|-style="min-height:50px;"
|style="background:{{Color|midnightblood02}};"|midnightblood02 / pramen<br />{{Color|midnightblood02}}
|style="background:{{Color|aubergineblood}};"|aubergineblood<br />{{Color|aubergineblood}}
|style="background:{{Color|byzantineblood}};"|byzantineblood<br />{{Color|byzantineblood}}
|style="background:{{Color|wineblood}};"|wineblood<br />{{Color|wineblood}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:white;"
|-style="min-height:50px;""
|style="width:50%; background:{{color|whitenoise}};"|whitenoise<br />{{color|whitenoise}}
|style="width:50%; background:{{color|mimesis}}; color: #000000;"|mimesis<br />{{color|mimesis}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:white;"
|-style="min-height:50px;""
|style="width:33%; background:{{color|haniel}};"|haniel<br />{{color|haniel}}
|style="width:34%; background:{{color|af}};"|af<br />{{color|af}}
|style="width:33%; background:{{color|zehanpuryu}};"|zehanpuryu<br />{{color|zehanpuryu}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-top:0; border-bottom:0; color:white;"
|-style="min-height:50px;""
|style="width:50%; background:{{color|lilith}};"|lilith<br />{{color|lilith}}
|style="width:50%; background:{{color|azbogah}};"|azbogah<br />{{color|azbogah}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-top:0; border-bottom: 0; color:white;"
|-style="min-height:50px;"
|style="width:100%; background:{{color|metatron}};"|metatron<br />{{color|metatron}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:white;"
|-style="min-height:50px;"
|style="width:100%; background:{{color|rogi}};"|rogi<br />{{color|rogi}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; border-top:0; color:white;"
|-style="min-height:50px;"
|style="width:20%; background:{{color|guy}};"|guy<br />{{color|guy}}
|style="width:20%; background:{{color|lady}};"|lady<br />{{color|lady}}
|style="width:20%; background:{{color|bucko}};"|bucko<br />{{color|bucko}}
|style="width:20%; background:{{color|man}};"|man<br />{{color|man}}
|style="width:20%; background:{{color|kid}};"|kid<br />{{color|kid}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; border-top:0; color:white;"
|-style="min-height:50px;"
|style="width:100%; background:{{color|tee hanos}};"|tee hanos<br />{{color|tee hanos}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0;"
|-style="min-height:50px;"
|style="width:16.6%; background:{{color|space}}; color:{{color|space symbol}};"|space<br />{{color|space}}
|style="width:16.6%; background:{{color|mind}}; color:{{color|mind symbol}}"|mind<br />{{color|mind}}
|style="width:16.6%; background:{{color|hope}}; color:{{color|hope symbol}};"|hope<br />{{color|hope}}
|style="width:16.6%; background:{{color|breath}}; color:{{color|breath symbol}};"|breath<br />{{color|breath}}
|style="width:16.6%; background:{{color|life}}; color:{{color|life symbol}};"|life<br />{{color|life}}
|style="width:16.6%; background:{{color|light}}; color:{{color|light symbol}};"|light<br />{{color|light}}
|-style="min-height:50px;"
|style="background:{{color|space symbol}}; color:{{color|space}};"|space symbol<br />{{color|space symbol}}
|style="background:{{color|mind symbol}}; color:{{color|mind}};"|mind symbol<br />{{color|mind symbol}}
|style="background:{{color|hope symbol}}; color:{{color|hope}}"|hope symbol<br />{{color|hope symbol}}
|style="background:{{color|breath symbol}}; color:{{color|breath}};"|breath symbol<br />{{color|breath symbol}}
|style="background:{{color|life symbol}}; color:{{color|life}};"|life symbol<br />{{color|life symbol}}
|style="background:{{color|light symbol}}; color:{{color|light}};"|light symbol<br />{{color|light symbol}}
|-style="min-height:50px;"
|style="width:16.6%; background:{{color|time}}; color:{{color|time symbol}};"|time<br />{{color|time}}
|style="width:16.6%; background:{{color|heart}}; color:{{color|heart symbol}};"|heart<br />{{color|heart}}
|style="width:16.6%; background:{{color|rage}}; color:{{color|rage symbol}};"|rage<br />{{color|rage}}
|style="width:16.6%; background:{{color|blood}}; color:{{color|blood symbol}};"|blood<br />{{color|blood}}
|style="width:16.6%; background:{{color|doom}}; color:{{color|doom symbol}};"|doom<br />{{color|doom}}
|style="width:16.6%; background:{{color|void}}; color:{{color|void symbol}};"|void<br />{{color|void}}
|-style="min-height:50px;"
|style="background:{{color|time symbol}}; color:{{color|time}};"|time symbol<br />{{color|time symbol}}
|style="background:{{color|heart symbol}}; color:{{color|heart}};"|heart symbol<br />{{color|heart symbol}}
|style="background:{{color|rage symbol}}; color:{{color|rage}};"|rage symbol<br />{{color|rage symbol}}
|style="background:{{color|blood symbol}}; color:{{color|blood}};"|blood symbol<br />{{color|blood symbol}}
|style="background:{{color|doom symbol}}; color:{{color|doom}};"|doom symbol<br />{{color|doom symbol}}
|style="background:{{color|void symbol}}; color:{{color|void}};"|void symbol<br />{{color|void symbol}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:{{color|white}};"
|-style="min-height:50px;"
|style="width:25%; background:{{color|flushed}};"|flushed<br />{{color|flushed}}
|style="width:25%; background:{{color|caliginous}};"|caliginous<br />{{color|caliginous}}
|style="width:25%; background:{{color|pale}};"|pale<br />{{color|pale}}
|style="width:25%; background:{{color|ashen}};"|ashen<br />{{color|ashen}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:{{color|strife light}};"
|-style="min-height:50px;"
|style="width:25%; background:{{color|strife}};"|strife<br />{{color|strife}}
|style="width:25%; background:{{color|strife dark}};"|strife dark<br />{{color|strife dark}}
|style="width:25%; background:{{color|strife mid}}; color:{{color|strife dark}};"|strife mid<br />{{color|strife mid}}
|style="width:25%; background:{{color|strife light}}; color:{{color|strife dark}};"|strife light<br />{{color|strife light}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; color:black;"
|-style="min-height:50px"
|style="width:50%; background:{{color|prospit}}; color:black;"|prospit<br />{{color|prospit}}
|style="width:50%; background:{{color|derse}}; color:white;"|derse<br />{{color|derse}}
|-style="min-height:50px"
|style="background:{{color|prospit symbol}}; color:black;"|prospit symbol<br />{{color|prospit symbol}}
|style="background:{{color|derse symbol}}; color:white;"|derse symbol<br />{{color|derse symbol}}
|}<noinclude>[[Category:Template documentation]]</noinclude>
b1a8595b4a40558d793d12dfb4c328555e35e4b4
Template:Documentation
10
43
145
2023-10-21T07:39:30Z
Onepeachymo
2
Created page with "<includeonly>{| class="article-table" style="width:100%;" role="complementary" |- style="font-size:18px;" ! style="padding:0px;" | <div style="width:100%; padding:3px 0px; text-align:center;" class="color1">Template documentation</div> |- | ''Note: portions of the template sample may not be visible without values provided.'' |- | View or edit [[Template:{{PAGENAMEE}}/doc|this documentation]]. ([[Template:Documentation|About template documentation]]) |- | Editors can expe..."
wikitext
text/x-wiki
<includeonly>{| class="article-table" style="width:100%;" role="complementary"
|- style="font-size:18px;"
! style="padding:0px;" | <div style="width:100%; padding:3px 0px; text-align:center;" class="color1">Template documentation</div>
|-
| ''Note: portions of the template sample may not be visible without values provided.''
|-
| View or edit [[Template:{{PAGENAMEE}}/doc|this documentation]]. ([[Template:Documentation|About template documentation]])
|-
| Editors can experiment in this template's [{{fullurl:{{FULLPAGENAMEE}}/Draft|action=edit}} sandbox] and [{{fullurl:{{FULLPAGENAMEE}}/testcases}} test case] pages.
|}
<div style="margin:0 1em;">
{{{{{1|{{PAGENAME}}/doc}}}}}</div></includeonly><noinclude>{{Documentation}}[[Category:Template documentation| ]]</noinclude>
fb7ec8c976261abf3f5d914a886ac98f98cb02a7
/Infobox
0
44
146
2023-10-21T07:40:29Z
Onepeachymo
2
Created page with "<includeonly>{{:{{PAGENAME}}/Infobox}}</includeonly>"
wikitext
text/x-wiki
<includeonly>{{:{{PAGENAME}}/Infobox}}</includeonly>
eebc91a466972b3a88c954e0d52f968f689de7da
Template:Age
10
45
147
2023-10-21T07:41:15Z
Onepeachymo
2
Created page with "<includeonly>{{#if:{{{1|}}}|<abbr title="approx. {{#expr: {{#expr:{{{1}}}*2.23}} round 2}} Earth Years">{{#expr: trunc {{{1}}}}} Repitonian Solar Sweeps</abbr>|Unknown}}</includeonly> <noinclude>{{documentation}}</noinclude>"
wikitext
text/x-wiki
<includeonly>{{#if:{{{1|}}}|<abbr title="approx. {{#expr: {{#expr:{{{1}}}*2.23}} round 2}} Earth Years">{{#expr: trunc {{{1}}}}} Repitonian Solar Sweeps</abbr>|Unknown}}</includeonly>
<noinclude>{{documentation}}</noinclude>
7c87ed8fa85d51e16c15908da9229ce8000fb710
Template:Classpect
10
46
148
2023-10-21T07:42:52Z
Onepeachymo
2
Created page with "{{#switch: {{{1}}} |Time={{#vardefine:aspectfg|Time symbol}}{{#vardefine:aspectbg|Time}} |Space={{#vardefine:aspectfg|Space symbol}}{{#vardefine:aspectbg|Space}} |Breath={{#vardefine:aspectfg|Breath symbol}}{{#vardefine:aspectbg|Breath}} |Blood={{#vardefine:aspectfg|Blood symbol}}{{#vardefine:aspectbg|Blood}} |Doom={{#vardefine:aspectfg|Doom symbol}}{{#vardefine:aspectbg|Doom}} |Life={{#vardefine:aspectfg|Life symbol}}{{#vardefine:aspectbg|Life}} |Heart={{#vardefine:aspe..."
wikitext
text/x-wiki
{{#switch: {{{1}}}
|Time={{#vardefine:aspectfg|Time symbol}}{{#vardefine:aspectbg|Time}}
|Space={{#vardefine:aspectfg|Space symbol}}{{#vardefine:aspectbg|Space}}
|Breath={{#vardefine:aspectfg|Breath symbol}}{{#vardefine:aspectbg|Breath}}
|Blood={{#vardefine:aspectfg|Blood symbol}}{{#vardefine:aspectbg|Blood}}
|Doom={{#vardefine:aspectfg|Doom symbol}}{{#vardefine:aspectbg|Doom}}
|Life={{#vardefine:aspectfg|Life symbol}}{{#vardefine:aspectbg|Life}}
|Heart={{#vardefine:aspectfg|Heart symbol}}{{#vardefine:aspectbg|Heart}}
|Mind={{#vardefine:aspectfg|Mind symbol}}{{#vardefine:aspectbg|Mind}}
|Light={{#vardefine:aspectfg|Light symbol}}{{#vardefine:aspectbg|Light}}
|Void={{#vardefine:aspectfg|Void symbol}}{{#vardefine:aspectbg|Void}}
|Hope={{#vardefine:aspectfg|Hope symbol}}{{#vardefine:aspectbg|Hope}}
|Rage={{#vardefine:aspectfg|Rage symbol}}{{#vardefine:aspectbg|Rage}}
|{{#vardefine:aspectfg|White}}{{#vardefine:aspectbg|Black}}
}}
<span style="font-size:14px;font-family:Courier New, Courier, Consolas, Lucida Console; color:{{Color|{{#var:aspectfg}}}}; font-weight: bold;
text-shadow: -1px 0 0 #000,
0 1px 0 #000,
1px 0 0 #000,
0 -1px 0 #000,
-3px 0 3px {{Color|{{#var:aspectbg}}}},
0 -3px 3px {{Color|{{#var:aspectbg}}}},
3px 0 3px {{Color|{{#var:aspectbg}}}},
0 3px 3px {{Color|{{#var:aspectbg}}}};">{{#if:{{{2|}}}|{{{2}}} of |}}{{{1}}}</span>
5d6208472bfe028e87a1dcb810bfd12ee016cf29
File:Aspect Time.png
6
48
150
2023-10-21T07:57:57Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
163
150
2023-10-21T08:05:28Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Aspect Time.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aspect Breath.png
6
49
151
2023-10-21T07:58:14Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
165
151
2023-10-21T08:06:40Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Aspect Breath.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aspect Blood.png
6
50
152
2023-10-21T07:58:27Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
166
152
2023-10-21T08:07:11Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Aspect Blood.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aspect Life.png
6
51
153
2023-10-21T07:58:38Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
167
153
2023-10-21T08:07:50Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Aspect Life.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aspect Doom.png
6
52
154
2023-10-21T07:59:02Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
168
154
2023-10-21T08:08:11Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Aspect Doom.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aspect Mind.png
6
53
155
2023-10-21T07:59:15Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
169
155
2023-10-21T08:08:49Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Aspect Mind.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aspect Heart.png
6
54
156
2023-10-21T07:59:27Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
170
156
2023-10-21T08:09:51Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Aspect Heart.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aspect Light.png
6
55
157
2023-10-21T07:59:40Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
171
157
2023-10-21T08:10:13Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Aspect Light.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aspect Void.png
6
56
158
2023-10-21T07:59:52Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aspect Hope.png
6
57
159
2023-10-21T08:00:14Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aspect Rage.png
6
58
160
2023-10-21T08:00:24Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquiun.png
6
59
161
2023-10-21T08:00:45Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aspect Space.png
6
60
164
2023-10-21T08:06:17Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aspect Void.png
6
56
172
158
2023-10-21T08:10:36Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Aspect Void.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aspect Hope.png
6
57
173
159
2023-10-21T08:10:58Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Aspect Hope.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aspect Rage.png
6
58
174
160
2023-10-21T08:11:18Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Aspect Rage.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Calico Drayke/Infobox
0
38
175
162
2023-10-21T08:19:56Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = [[File:]]
|caption = {{VE Quote|sovara|''(i'm an open book! metaphorically speaking)''}} {{VE|540|}}
|intro = 9/22/2021
|first = 159
|title = {{Classpect|Heart|Page}}
|age = {{Age|9}}
|gender = He/Him (Male)
|status = Alive
|screenname = languidMarauder
|style = Starts his messages with their ship's flag. Types out his pirate accent (you=ye, your=yer, to=ta, the=tha, etc). Very rarely capitalizes, but uses proper grammar and punctuation.
|specibus = Netkind, Cutclasskind
|modus = Cannon
|relations = [[The Marauder|{{VE Quote|sovara|The Marauder}}]] - [[Ancestors|Ancestor]]<br />
|planet = Land of Sabotage and Silver Shores
|likes =
|aka = Cally Baby}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
b0155bc7fcd3b82ce3fbeed61cde8d893a6c3513
181
175
2023-10-21T08:29:08Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = [[File:Calico_Drayke.png]]
|caption = {{VE Quote|sovara|''(i'm an open book! metaphorically speaking)''}} {{VE|540|}}
|intro = 9/22/2021
|first = 159
|title = {{Classpect|Heart|Page}}
|age = {{Age|9}}
|gender = He/Him (Male)
|status = Alive
|screenname = languidMarauder
|style = Starts his messages with their ship's flag. Types out his pirate accent (you=ye, your=yer, to=ta, the=tha, etc). Very rarely capitalizes, but uses proper grammar and punctuation.
|specibus = Netkind, Cutclasskind
|modus = Cannon
|relations = [[The Marauder|{{VE Quote|sovara|The Marauder}}]] - [[Ancestors|Ancestor]]<br />
|planet = Land of Sabotage and Silver Shores
|likes =
|aka = Cally Baby}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
339495f7af4a98b5b0c5e7889410d5517e44aae3
184
181
2023-10-21T08:34:05Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = [[File:Calico_Drayke.png]]
|caption = {{VE Quote|sovara|''truly i dont know what the fuck to do with you kid.''}} {{VE|540|}}
|intro = 9/22/2021
|title = {{Classpect|Breath|Thief}}
|age = {{Age|9}}
|gender = He/Him (Male)
|status = Alive
|screenname = languidMarauder
|style = Starts his messages with their ship's flag. Types out his pirate accent (you=ye, your=yer, to=ta, the=tha, etc). Very rarely capitalizes, but uses proper grammar and punctuation.
|specibus = Netkind, Cutclasskind
|modus = Cannon
|relations = [[The Marauder|{{VE Quote|sovara|The Marauder}}]] - [[Ancestors|Ancestor]]<br />
|planet = Land of Sabotage and Silver Shores
|likes =
|aka = Cally Baby}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
08ef5267f3727826d1c300aa36371fea8f9b9168
185
184
2023-10-21T08:34:29Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = [[File:Calico_Drayke.png]]
|caption = {{RS Quote|sovara|''truly i dont know what the fuck to do with you kid.''}} {{VE|540|}}
|intro = 9/22/2021
|title = {{Classpect|Breath|Thief}}
|age = {{Age|9}}
|gender = He/Him (Male)
|status = Alive
|screenname = languidMarauder
|style = Starts his messages with their ship's flag. Types out his pirate accent (you=ye, your=yer, to=ta, the=tha, etc). Very rarely capitalizes, but uses proper grammar and punctuation.
|specibus = Netkind, Cutclasskind
|modus = Cannon
|relations = [[The Marauder|{{RS Quote|sovara|The Marauder}}]] - [[Ancestors|Ancestor]]<br />
|planet = Land of Sabotage and Silver Shores
|likes =
|aka = Cally Baby}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
913b16c4e67b1f040e4b63c5b4b2250debe780aa
186
185
2023-10-21T08:34:52Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = [[File:Calico_Drayke.png]]
|caption = {{RS quote|sovara|''truly i dont know what the fuck to do with you kid.''}} {{VE|540|}}
|intro = 9/22/2021
|title = {{Classpect|Breath|Thief}}
|age = {{Age|9}}
|gender = He/Him (Male)
|status = Alive
|screenname = languidMarauder
|style = Starts his messages with their ship's flag. Types out his pirate accent (you=ye, your=yer, to=ta, the=tha, etc). Very rarely capitalizes, but uses proper grammar and punctuation.
|specibus = Netkind, Cutclasskind
|modus = Cannon
|relations = [[The Marauder|{{RS quote|sovara|The Marauder}}]] - [[Ancestors|Ancestor]]<br />
|planet = Land of Sabotage and Silver Shores
|likes =
|aka = Cally Baby}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
ccfa2d849ddad8fe03aa2fd30f1c86855e2eb0be
187
186
2023-10-21T08:35:15Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = [[File:Calico_Drayke.png]]
|caption = {{RS quote|sovara|''truly i dont know what the fuck to do with you kid.''}}
|intro = 9/22/2021
|title = {{Classpect|Breath|Thief}}
|age = {{Age|9}}
|gender = He/Him (Male)
|status = Alive
|screenname = languidMarauder
|style = Starts his messages with their ship's flag. Types out his pirate accent (you=ye, your=yer, to=ta, the=tha, etc). Very rarely capitalizes, but uses proper grammar and punctuation.
|specibus = Netkind, Cutclasskind
|modus = Cannon
|relations = [[The Marauder|{{RS quote|sovara|The Marauder}}]] - [[Ancestors|Ancestor]]<br />
|planet = Land of Sabotage and Silver Shores
|likes =
|aka = Cally Baby}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
fe0b8c041b5578ad0595c61c318ec2b96e269b9f
192
187
2023-10-21T08:43:34Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = [[File:Calico_Drayke.png]]
|caption = {{RS quote|calico|''truly i dont know what the fuck to do with you kid.''}}
|intro = 9/22/2021
|title = {{Classpect|Breath|Thief}}
|age = {{Age|9}}
|gender = He/Him (Male)
|status = Alive
|screenname = languidMarauder
|style = Starts his messages with their ship's flag. Types out his pirate accent (you=ye, your=yer, to=ta, the=tha, etc). Very rarely capitalizes, but uses proper grammar and punctuation.
|specibus = Netkind, Cutclasskind
|modus = Cannon
|relations = [[The Marauder|{{RS quote|calico|The Marauder}}]] - [[Ancestors|Ancestor]]<br />
|planet = Land of Sabotage and Silver Shores
|likes =
|aka = Cally Baby}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
80e58bba32a7237f36f118dc365ac1208b8863ef
194
192
2023-10-21T08:47:23Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = [[File:Calico_Drayke.png]]
|caption = {{RS quote|calico|''always, tewkid. ill always be by yer side. and ye'll always be by mine.''}}
|intro = 9/22/2021
|title = {{Classpect|Breath|Thief}}
|age = {{Age|9}}
|gender = He/Him (Male)
|status = Alive
|screenname = languidMarauder
|style = Starts his messages with their ship's flag. Types out his pirate accent (you=ye, your=yer, to=ta, the=tha, etc). Very rarely capitalizes, but uses proper grammar and punctuation.
|specibus = Netkind, Cutclasskind
|modus = Cannon
|relations = [[The Marauder|{{RS quote|calico|The Marauder}}]] - [[Ancestors|Ancestor]]<br />
|planet = Land of Sabotage and Silver Shores
|likes =
|aka = Cally Baby}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
dd795b3b2d11388628be3d1aa371328c65af8db1
196
194
2023-10-21T08:50:27Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = [[File:Calico_Drayke.png]]
|caption = {{RS quote|calico|[[File:Calflag.png|15px]] always, tewkid. ill always be by yer side. and ye'll always be by mine.}}
|intro = 9/22/2021
|title = {{Classpect|Breath|Thief}}
|age = {{Age|9}}
|gender = He/Him (Male)
|status = Alive
|screenname = languidMarauder
|style = Starts his messages with their ship's flag. Types out his pirate accent (you=ye, your=yer, to=ta, the=tha, etc). Very rarely capitalizes, but uses proper grammar and punctuation.
|specibus = Netkind, Cutclasskind
|modus = Cannon
|relations = [[The Marauder|{{RS quote|calico|The Marauder}}]] - [[Ancestors|Ancestor]]<br />
|planet = Land of Sabotage and Silver Shores
|likes =
|aka = Cally Baby}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
2931e449801c13b1105a34b9c32b6b8862f6ffc1
198
196
2023-10-21T08:57:17Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = [[File:Calico_Drayke.png]]
|caption = {{RS quote|calico|[[File:Calflag.png|15px]] always, tewkid. ill always be by yer side. and ye'll always be by mine.}}
|intro = 9/22/2021
|title = {{Classpect|breath|thief}}
|age = {{Age|9}}
|gender = He/Him (Male)
|status = Alive
|screenname = languidMarauder
|style = Starts his messages with their ship's flag. Types out his pirate accent (you=ye, your=yer, to=ta, the=tha, etc). Very rarely capitalizes, but uses proper grammar and punctuation.
|specibus = Netkind, Cutclasskind
|modus = Cannon
|relations = [[The Marauder|{{RS quote|calico|The Marauder}}]] - [[Ancestors|Ancestor]]<br />
|planet = Land of Sabotage and Silver Shores
|likes =
|aka = Cally Baby}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
49c77cc6ce9bffcf8c66ddc34feab1200b2931fc
202
198
2023-10-21T09:00:23Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = [[File:Calico_Drayke.png]]
|caption = {{RS quote|violetblood|[[File:Calflag.png|15px]] always, tewkid. ill always be by yer side. and ye'll always be by mine.}}
|intro = 9/22/2021
|title = {{Classpect|Breath|Thief}}
|age = {{Age|9}}
|gender = He/Him (Male)
|status = Alive
|screenname = languidMarauder
|style = Starts his messages with their ship's flag. Types out his pirate accent (you=ye, your=yer, to=ta, the=tha, etc). Very rarely capitalizes, but uses proper grammar and punctuation.
|specibus = Netkind, Cutclasskind
|modus = Cannon
|relations = [[The Marauder|{{RS quote|violetblood|The Marauder}}]] - [[Ancestors|Ancestor]]<br />
|planet = Land of Sabotage and Silver Shores
|likes =
|aka = Cally Baby}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
ddabd59e306f252b4f339f9598345efb13d2a4db
204
202
2023-10-21T09:37:38Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = [[File:Calico_Drayke.png]]
|caption = {{RS quote|violetblood|[[File:Calflag.png|15px]] always, tewkid. ill always be by yer side. and ye'll always be by mine.}}
|intro = 9/22/2021
|title = {{Classpect|Breath|Thief}}
|age = {{Age|9}}
|gender = He/Him (Male)
|status = Alive
|screenname = languidMarauder
|style = Starts his messages with their ship's flag. Types out his pirate accent (you=ye, your=yer, to=ta, the=tha, etc). Very rarely capitalizes, but uses proper grammar and punctuation.
|specibus = Netkind, Cutclasskind
|modus = Cannon
|relations = [[The Marauder|{{RS quote|violetblood|The Marauder}}]] - [[Ancestors|Ancestor]]<br />
|planet = Land of Sabotage and Silver Shores
|likes = Violetbloods
|dislikes = Bluebloods
|aka = Cally Baby}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
abdf9e92563e32be3dcc32957fc30a7bf5d9b9bd
206
204
2023-10-21T09:45:41Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = [[File:Calico_Drayke.png]]
|caption = {{RS quote|violetblood|[[File:Calflag.png|15px]] always, tewkid. ill always be by yer side. and ye'll always be by mine.}}
|intro = 9/22/2021
|title = {{Classpect|Breath|Thief}}
|age = {{Age|9}}
|gender = He/Him (Male)
|status = Alive <br />
Kidnapped
|screenname = languidMarauder
|style = Starts his messages with their ship's flag. Types out his pirate accent (you=ye, your=yer, to=ta, the=tha, etc). Very rarely capitalizes, but uses proper grammar and punctuation.
|specibus = Netkind, Cutclasskind
|modus = Cannon
|relations = [[The Marauder|{{RS quote|violetblood|The Marauder}}]] - [[Ancestors|Ancestor]]<br />
|planet = Land of Sabotage and Silver Shores
|likes = Violetbloods
|dislikes = Bluebloods
|aka = Cally Baby}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
12da9d95d208bf48e16af2799fcf55d09e765780
215
206
2023-10-21T10:29:43Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = [[File:Calico_Drayke.png]]
|caption = {{RS quote|violetblood|[[File:Calflag.png|15px]] always, tewkid. ill always be by yer side. and ye'll always be by mine.}}
|intro = 9/22/2021
|title = {{Classpect|Breath|Thief}}
|age = {{Age|9}}
|gender = He/Him (Male)
|status = Alive <br />
Kidnapped
|screenname = languidMarauder
|style = Starts his messages with their ship's flag. Types out his pirate accent (you=ye, your=yer, to=ta, the=tha, etc). Very rarely capitalizes, but uses proper grammar and punctuation.
|specibus = Netkind, Cutclasskind
|modus = Cannon
|relations = [[The Marauder|{{RS quote|violetblood|The Marauder}}]] - [[Ancestors|Ancestor]]<br />
|planet = Land of Sabotage and Silver Shores
|likes = Violetbloods
|dislikes = Bluebloods
|aka = Cally Baby
|creator = onepeachymo}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
7a50bcd4b85fb887e67b70253711bdfece2661b5
221
215
2023-10-21T10:35:54Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = [[File:Calico_Drayke.png]]
|caption = {{RS quote|violetblood|[[File:Calflag.png|15px]] always, tewkid. ill always be by yer side. and ye'll always be by mine.}}
|intro = 9/22/2021
|title = {{Classpect|Breath|Thief}}
|age = {{Age|9}}
|gender = He/Him (Male)
|status = Alive <br />
Kidnapped
|screenname = languidMarauder
|style = Starts his messages with their ship's flag. Types out his pirate accent (you=ye, your=yer, to=ta, the=tha, etc). Very rarely capitalizes, but uses proper grammar and punctuation.
|specibus = Netkind, Cutclasskind
|modus = Cannon
|relations = [[The Marauder|{{RS quote|violetblood|The Marauder}}]] - [[Ancestors|Ancestor]]<br />
|planet = Land of Sabotage and Silver Shores
|likes = Violetbloods
|dislikes = Bluebloods
|aka = Cally Baby
|creator = [[User:Onepeachymo|onepeachymo]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
d008ca6198b1efe45f0e26869d99ca22a2bf643f
Template:Age
10
45
176
147
2023-10-21T08:21:31Z
Onepeachymo
2
wikitext
text/x-wiki
<includeonly>{{#if:{{{1|}}}|<abbr title="approx. {{#expr: {{#expr:{{{1}}}*2.23}} round 2}} Earth Years">{{#expr: trunc {{{1}}}}} Alternian Solar Sweeps</abbr>|Unknown}}</includeonly>
<noinclude>{{documentation}}</noinclude>
7765effa4c7551f03ca9c5399c210828f07cfb72
177
176
2023-10-21T08:22:38Z
Onepeachymo
2
wikitext
text/x-wiki
<includeonly>{{#if:{{{1|}}}|<abbr title="approx. {{#expr: {{#expr:{{{1}}}*2.17}} round 2}} Earth Years">{{#expr: trunc {{{1}}}}} Alternian Solar Sweeps</abbr>|Unknown}}</includeonly>
<noinclude>{{documentation}}</noinclude>
53720c3410cd3036642221703c26247b85f50ee3
Calico Drayke
0
2
178
139
2023-10-21T08:23:40Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Calico Drayke''', also known by his [[Moonbounce|Moonbounce]] tag, languidMarauder, is one of the major pirate characters and minor antagonist in Re:Symphony. His sign is Aquiun and he is the pirate captain upon the ''Lealda's Dream''.
He joined the server on 9/22/2021, after finding a message in a bottle that contained the link to the server, along with [[Tewkid Bownes|Tewkid]].
==Etymology==
"Calico" was taken from the first name of the pirate "Calico Jack" and "Drayke" comes from the surname of the pirate "Francis Drake".
Languid, from his username, is taken from his smooth and relatively easy-going personality, while Marauder is a clear reference to his ancestor.
==Biography==
====Early Life====
Calico has been sailing as a Pirate Captain since he was incredibly young, with Tewkid as his first mate. Pyrrah attempted to capture them as a bounty, but failed due to Lealda's intervention. Calico and his crew eventually were the targets of a allegiance between Lealda's treasonous crew-mates and another crew of Bluebloods, and they were captured. Lealda once again came to their rescue, and they fought the Bluebloods and double-crossers together. With their remaining members, they merged the two crews. During the conflict, Calico's right eye was permanently damaged.
Lealda got into contact with Skoozy at some point after they merged crews, and he replaced Calico's damaged eye.
Lealda's death was a turning point for Calico and the crew. Teals tried to blame him for their death, but Skoozy was able to get him out of it.
====Act 1====
Calico was asked by Skoozy to crash the server's very first Party, out of petty revenge since he was explicitly not invited to come. He made his first appearance by going around the party gathering dirt on everyone present, then stirring drama up within all of the different groups there. He caused the party to become complete pandemonium before their ship finally crashed into the building, releasing Tewkid & the rest of the crew into the mayhem. They then began badgering and fucking with people in real time, before eventually heading off.
Calico and Tewkid joined the server shortly after this, though Calico hardly ever spoke in it.
====Act 2====
==Personality and Traits==
Calico is a guy that, on a general basis, takes it pretty easy. He's incredibly loyal, both to those who he fully trusts and his beliefs. He can easily enact brutality without any remorse. He's very manipulative and a talented actor. He's soooo cooooool.
==Relationships==
====[[Tewkid Bownes|Tewkid]]====
Tewkid was Calico's closest friend and confidante. He would go through thick and thin for Tewkid, sacrifice anything for him... Calico has known Tewkid longer than anyone else, and until the Fight they were best friends. After the Fight, however, Calico found out that Tewkid was The Deceiver's descendant, and did a complete 180 on him. If not for their prior relationship, Calico would have killed him where he stood, but he was unsure of what to do. Tensions rose on board until Calico finally confronted Tewkid once more about his ancestor, and implied he was going to kick Tewkid from the ship before Pyrrah attacked them and Calico was kidnapped. They have not communicated since.
====[[Skoozy Mcribb|Skoozy]]====
Skoozy has been a close friend of Calico's for a long time. Sometime between Skoozy replacing his eye while they were kids and helping him out with the teals after Lealda's death, they managed to form quite a strong bond. Calico is aware that Skoozy is not a good individual, but he isn't entirely aware of how despicable Skoozy can get.
====[[Salang Lyubov|Venus]]====
====[[Pyrrah Kappen|Pyrrah]]====
==Trivia==
==Gallery==
7aed2c1e25a0948b192e6df5d0e8c14fdb227545
203
178
2023-10-21T09:08:45Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Calico Drayke''', also known by his [[Moonbounce|Moonbounce]] tag, languidMarauder, is one of the major pirate characters and a minor antagonist at times in Re:Symphony. His sign is Aquiun and he is the Captain upon the ''Lealda's Dream''.
He joined the server on 9/22/2021, after finding a message in a bottle that contained the link to the server, along with [[Tewkid Bownes|Tewkid]].
==Etymology==
"Calico" was taken from the first name of the pirate "Calico Jack" and "Drayke" comes from the surname of the pirate "Francis Drake".
Languid, from his username, is taken from his smooth and relatively easy-going personality, while Marauder is a clear reference to his ancestor.
==Biography==
====Early Life====
Calico has been sailing as a Pirate Captain since he was incredibly young, with Tewkid as his first mate. Pyrrah attempted to capture them as a bounty, but failed due to Lealda's intervention. Calico and his crew eventually were the targets of a allegiance between Lealda's treasonous crew-mates and another crew of Bluebloods, and they were captured. Lealda once again came to their rescue, and they fought the Bluebloods and double-crossers together. With their remaining members, they merged the two crews. During the conflict, Calico's right eye was permanently damaged.
Lealda got into contact with Skoozy at some point after they merged crews, and he replaced Calico's damaged eye.
Lealda's death was a turning point for Calico and the crew. Teals tried to blame him for their death, but Skoozy was able to get him out of it.
====Act 1====
Calico was asked by Skoozy to crash the server's very first Party, out of petty revenge since he was explicitly not invited to come. He made his first appearance by going around the party gathering dirt on everyone present, then stirring drama up within all of the different groups there. He caused the party to become complete pandemonium before their ship finally crashed into the building, releasing Tewkid & the rest of the crew into the mayhem. They then began badgering and fucking with people in real time, before eventually heading off.
Calico and Tewkid joined the server shortly after this, though Calico hardly ever spoke in it.
====Act 2====
==Personality and Traits==
Calico is a guy that, on a general basis, takes it pretty easy. He's incredibly loyal, both to those who he fully trusts and his beliefs. He can easily enact brutality without any remorse. He's very manipulative and a talented actor. He's soooo cooooool.
==Relationships==
====[[Tewkid Bownes|Tewkid]]====
Tewkid was Calico's closest friend and confidante. He would go through thick and thin for Tewkid, sacrifice anything for him... Calico has known Tewkid longer than anyone else, and until the Fight they were best friends. After the Fight, however, Calico found out that Tewkid was The Deceiver's descendant, and did a complete 180 on him. If not for their prior relationship, Calico would have killed him where he stood, but he was unsure of what to do. Tensions rose on board until Calico finally confronted Tewkid once more about his ancestor, and implied he was going to kick Tewkid from the ship before Pyrrah attacked them and Calico was kidnapped. They have not communicated since.
====[[Skoozy Mcribb|Skoozy]]====
Skoozy has been a close friend of Calico's for a long time. Sometime between Skoozy replacing his eye while they were kids and helping him out with the teals after Lealda's death, they managed to form quite a strong bond. Calico is aware that Skoozy is not a good individual, but he isn't entirely aware of how despicable Skoozy can get.
====[[Salang Lyubov|Venus]]====
====[[Pyrrah Kappen|Pyrrah]]====
==Trivia==
==Gallery==
d6135de890a6289477458b76dc2e8f129bde2818
207
203
2023-10-21T09:58:30Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Calico Drayke''', also known by his [[Moonbounce|Moonbounce]] tag, languidMarauder, is one of the major pirate characters and a minor antagonist at times in Re:Symphony. His sign is Aquiun and he is the Captain upon the ''Lealda's Dream''.
He joined the server on 9/22/2021, after finding a message in a bottle that contained the link to the server, along with [[Tewkid Bownes|Tewkid]].
==Etymology==
"Calico" was taken from the first name of the pirate "Calico Jack" and "Drayke" comes from the surname of the pirate "Francis Drake".
Languid, from his username, is taken from his smooth and relatively easy-going personality, while Marauder is a clear reference to his ancestor.
==Biography==
===Early Life===
Calico has been sailing as a Pirate Captain since he was incredibly young, with Tewkid as his first mate. Pyrrah attempted to capture them as a bounty, but failed due to Lealda's intervention. Calico and his crew eventually were the targets of a allegiance between Lealda's treasonous crew-mates and another crew of Bluebloods, and they were captured. Lealda once again came to their rescue, and they fought the Bluebloods and double-crossers together. With their remaining members, they merged the two crews. During the conflict, Calico's right eye was permanently damaged.
Lealda got into contact with Skoozy at some point after they merged crews, and he replaced Calico's damaged eye.
Lealda's death was a turning point for Calico and the crew. Teals tried to blame him for their death, but Skoozy was able to get him out of it.
===Act 1===
Calico was asked by Skoozy to crash the server's very first Party, out of petty revenge since he was explicitly not invited to come. He made his first appearance by going around the party gathering dirt on everyone present, then stirring drama up within all of the different groups there. He caused the party to become complete pandemonium before their ship finally crashed into the building, releasing Tewkid & the rest of the crew into the mayhem. They then began badgering and fucking with people in real time, before eventually heading off.
Calico and Tewkid joined the server shortly after this, though Calico hardly ever spoke in it.
===Act 2===
==Personality and Traits==
Calico is a guy that, on a general basis, takes it pretty easy. He's incredibly loyal, both to those who he fully trusts and his beliefs. He can easily enact brutality without any remorse. He's very manipulative and a talented actor. He's soooo cooooool.
==Relationships==
====[[Tewkid Bownes|Tewkid]]====
Tewkid was Calico's closest friend and confidante. He would go through thick and thin for Tewkid, sacrifice anything for him... Calico has known Tewkid longer than anyone else, and until the Fight they were best friends. After the Fight, however, Calico found out that Tewkid was The Deceiver's descendant, and did a complete 180 on him. If not for their prior relationship, Calico would have killed him where he stood, but he was unsure of what to do. Tensions rose on board until Calico finally confronted Tewkid once more about his ancestor, and implied he was going to kick Tewkid from the ship before Pyrrah attacked them and Calico was kidnapped. They have not communicated since.
====[[Skoozy Mcribb|Skoozy]]====
Skoozy has been a close friend of Calico's for a long time. Sometime between Skoozy replacing his eye while they were kids and helping him out with the teals after Lealda's death, they managed to form quite a strong bond. Calico is aware that Skoozy is not a good individual, but he isn't entirely aware of how despicable Skoozy can get.
====[[Salang Lyubov|Venus]]====
====[[Pyrrah Kappen|Pyrrah]]====
==Trivia==
==Gallery==
3f48b4ac3b9c4f7b00bc18c0cd139c687aa899a8
Ancestors
0
61
179
2023-10-21T08:26:06Z
Onepeachymo
2
Created page with "page for all of da ancestors to go, with links to their main pages"
wikitext
text/x-wiki
page for all of da ancestors to go, with links to their main pages
f36817a0d9145daf4a48ce28c232c1ac88b7fd19
File:Calico Drayke.png
6
62
180
2023-10-21T08:28:48Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Template:Nowrap
10
63
182
2023-10-21T08:29:39Z
Onepeachymo
2
Created page with "<span style="white-space:nowrap;">{{{1}}}</span>"
wikitext
text/x-wiki
<span style="white-space:nowrap;">{{{1}}}</span>
5dcc2645a51b18e5951719cff6d578854bc99f4c
Template:RS quote
10
64
183
2023-10-21T08:31:56Z
Onepeachymo
2
Created page with "<span style="font-family:{{#switch:{{lc:{{{1}}}}} |seinru=Cambria |edolon=Book Antiqua |serpaz=Comic Sans MS, sans serif |talald=Jokerman |#default=Courier New, Courier, Consolas, Lucida Console }}; color:{{#if:{{{1|}}}|{{color|{{{1}}}}}|black}}; font-weight:bold;">{{{2}}}</span><noinclude>"
wikitext
text/x-wiki
<span style="font-family:{{#switch:{{lc:{{{1}}}}}
|seinru=Cambria
|edolon=Book Antiqua
|serpaz=Comic Sans MS, sans serif
|talald=Jokerman
|#default=Courier New, Courier, Consolas, Lucida Console
}}; color:{{#if:{{{1|}}}|{{color|{{{1}}}}}|black}}; font-weight:bold;">{{{2}}}</span><noinclude>
8ac20f219e03791cedaf1e5ab6571b52f811a581
Template:Color
10
41
188
143
2023-10-21T08:39:52Z
Onepeachymo
2
wikitext
text/x-wiki
<!--EDITING THIS PAGE WILL NOT MODIFY THE CHEATSHEET. IF YOU WANT TO ADD A NEW COLOR, ADD IT HERE FIRST, THEN CHANGE THE CHEATSHEET ACCORDINGLY.--><includeonly>{{#if: {{{2|}}}<!--
-->|<span style="color:}}<!--
-->{{#switch: {{lc:{{{1|}}}}}<!--
----------------------------------- STANDARD DCRC THEME TONES --
-->| 0 = #000000 <!--
-->| 1 = #323232 <!--
-->| 2 = #4B4B4B <!--
-->| 3 = #535353 <!--
-->| 4 = #636363 <!--
-->| 5 = #C6C6C6 <!--
-->| 6 = #EEEEEE <!--
-->| 7 = #FFFFFF <!--
-->| ve0 = #EEEEEE <!--
-->| ve1 = #CCCCCC <!--
-->| ve2 = #999999 <!--
-->| ve3 = #777777 <!--
-->| ve4 = #444444 <!--
-->| ve5 = #202020 <!--
-->| dcrc black = #0F0F0F <!--
-->| dcrc white = #F0F0F0 <!--
----------------------------------- ACTS -------------
-->| act1|a1 = #B95C00 <!--
-->| intermission1|i1 = #000000 <!--
-->| act2|a2 = #6B8400 <!--
-->| intermission2side1|i2s1 = #351544 <!--
-->| intermission2side2|i2s2 = #06FFC9 <!--
-->| act3act1|a3a1 = #7F0000 <!--
-------------------------------- HEMOSPECTRUM ---------
CASTE ORDER IS SORTED BY BRIGHTNESS VALUE FIRST (FROM HIGHEST TO LOWEST) FOLLOWED BY SORTING BY SATURATION (FROM HIGHEST TO LOWEST) FOLLOWED BY SORTING BY HUE (FROM LOWEST TO HIGHEST)
Each bloodcaste within the hemospectrum is loosely determined by the temperature value of a blood color's hex value. Each caste has a 30° temperature range in which a hex value can fall. The caste hue temperatures are as follows:
346°-360°/0°-15° — Redblood
16°-45° — Bronzeblood
46°-75° — Yellowblood (Raines Limeblood omitted)
76°-105° — 'Limeblood' (As Limeblood as a caste does not exist, Greenblood sometimes overflows into this range.)
106°-135° — Greenblood
136°-165° — Jadeblood
166°-195° — Tealblood
196°-225° — Blueblood
226°-255° — Indigoblood
256°-285° — Purpleblood
286°-315° — Violetblood
316°-345° — Fuchsiablood
Each bloodcaste has 3 different Subshades (§) within their temperature range which are determined by their brightness value. Using the Redblood caste as an example, the § of a bloodcaste are as follows:
0-32% Brightness — Maroonblood (Darkest §)
33-66% Brightness — Rustblood (Average §)
67-100% Brightness — Scarletblood (Brightest §)
The saturation of a blood color's hex code has no bearing on its classification on the hemospectrum and is used solely for organizational purposes within a §.
Using Jentha's blood as an example, we can classify them as a Goldblood. Their blood color's hex code (#B49E18) has a Hue of 52°, a Brightness of 71%, and a Saturation of 87%. The 52° Hue falls within the 46°-75° temperature range of the Yellowblood caste, and the 71% Brightness falls within the 67-100% Brightness range of the Brightest §, ie. Goldblood.
The following color codes will be suffixed with their values listed as Brightness/Saturation/Hue
-->| scarletblood02 = #FF3646 <!-- 100/79/355
-->| scarletblood03|yeshin = #CD4748 <!-- 80/65/0
-->| scarletblood04|quever = #B2112B <!-- 70/90/350
-->| scarletblood = #C00000 <!-- 75/100/0
-->| rustblood07|shiopa = #A34434 <!-- 64/68/9
-->| rustblood02|cinare = #962600 <!-- 59/100/15
-->| rustblood03|valtel = #930000 <!-- 58/100/0
-->| rustblood08|lutzia = #8E0F0F <!-- 56/89/0
-->| redblood|rustblood = #800000 <!-- 50/100/0
-->| rustblood04|sovara|sova|annalist = #7F0000 <!-- 50/100/0
-->| rustblood05|racren = #690000 <!-- 41/100/0
-->| rustblood06|cepros = #631613 <!-- 39/81/2
-->| maroonblood = #400000 <!-- 25/100/0
-->| clayblood06|talald = #CD6500 <!-- 80/100/30
-->| clayblood02|dismas|fomentor = #C44000 <!-- 77/100/20
-->| clayblood = #C06000 <!-- 75/100/30
-->| clayblood05|rodere = #B45014 <!-- 71/89/23
-->| clayblood07|garnie = #B48E44 <!-- 71/62/40
-->| clayblood04|husske = #B25D2C <!-- 70/75/22
-->| clayblood08|hemiot = #A3731A <!-- 64/84/39
-->| clayblood03 = #A03D02 <!-- Unnamed Clayblood Troll 63/99/22
-->| bronzeblood|colablood = #804000 <!-- 50/100/30
-->| umberblood03|unknown = #49311A <!-- 29/64/29
-->| umberblood = #402000 <!-- 25/100/30
-->| umberblood02|degner = #2D261D <!-- 18/36/34
-->| cornsyrupblood|arcjec|thesal|forgiven = #B95C00 <!--
-->| goldblood03|mshiri = #FBEC5D <!-- 98/63/54
-->| goldblood08|medjed = #E6B400 <!-- 90/100/47
-->| goldblood09|cul|culium = #D8AA09 <!-- 85/96/47
-->| goldblood07|vyr|vyrmis = #DAAF2D <!-- 85/79/45
-->| mshiri02 = #D4C64E <!-- 83/63/54
-->| goldblood = #C0C000 <!-- 75/100/60
-->| goldblood06|vellia = #BDAA00 <!-- 74/100/54
-->| goldblood02|jentha|mosura|supernova|lipsen = #B49E18 <!-- 71/87/52
-->| goldblood05|hayyan = #B29E14 <!-- 70/89/52
-->| goldblood04|sabine = #B07800 <!-- 69/100/41
-->| yellowblood|mustardblood = #808000 <!-- 50/100/60
-->| ciderblood = #404000 <!-- 25/100/60
-->| limeblood|ellsee|zekura|vivifier = #6C8400 <!--
-->| cloverblood = #00C000 <!-- 75/100/120
-->| oliveblood04|sirage = #619319 <!-- 58/83/85
-->| greenblood|oliveblood = #008000 <!-- 50/100/120
-->| oliveblood05|mekris = #207D00 <!-- 49/100/105
-->| oliveblood02|albion|cyprim|exemplar = #407D00 <!-- 49/100/89
-->| oliveblood06|pascal = #5D7B49 <!-- 48/41/96
-->| oliveblood07|linole = #43723C <!-- 45/47/112
-->| oliveblood03|noxious|aumtzi = #446F09 <!-- 44/92/85
-->| oliveblood08 = #405E2E <!-- 37/51/98
-->| pineblood02|ochreblood02|raurou = #48574A <!-- 34/17/128
-->| pineblood|ochreblood = #004000 <!-- 25/100/120
-->| pineblood03|ochreblood03|tenemi = #033B03 <!-- 23/65/120
-->| fernblood = #00C060 <!-- 75/100/150
-->| viridianblood04|gerbat = #039639 <!-- 59/98/142
-->| jadeblood|viridianblood = #008040 <!-- 50/100/150
-->| viridianblood05|cepora = #007E52 <!-- 49/100/159
-->| viridianblood03|glomer = #397E57 <!-- 49/55/146
-->| viridianblood02|hamifi = #00722D <!-- 45/100/144
-->| viridianblood06|principal = #346547 <!-- 40/49/143
-->| mossblood = #004020 <!-- 25/100/150
-->| cyanblood02|femmis = #06D6D6 <!-- 84/97/180
-->| cyanblood = #00C0C0 <!-- 75/100/180
-->| cyanblood03|turnin = #01C09F <!-- 75/99/170
-->| turquoiseblood04|serpaz|bohemian = #00A596 <!-- 65/100/175
-->| turquoiseblood05|helica = #04A180 <!-- 63/98/167
-->| turquoiseblood02|secily|arcamu|commandant = #0989A0 <!-- 63/94/189
-->| turquoiseblood06|alcest = #728682 <!-- 53/15/168
-->| tealblood|turquoiseblood = #008080 <!-- 50/100/180
-->| turquoiseblood03|crytum = #2D6461 <!-- 39/55/177
-->| cyprusblood02|aislin = #005E5E <!-- 37/100/180
-->| cyprusblood = #004040 <!-- 25/100/180
-->| cyprusblood03|cadlys = #163B3B <!-- 23/63/180
-->| aegeanblood04|kimosh = #018BCB <!-- 80/100/199
-->| aegeanblood = #0060C0 <!-- 75/100/210
-->| aegeanblood02|bytcon = #0040AF <!-- 69/100/218
-->| cobaltblood02|laivan|jagerman = #004696 <!-- 59/100/212
-->| cobaltblood03|necron = #004182 <!-- 51/100/210
-->| blueblood|cobaltblood = #004080 <!-- 50/100/210
-->| cobaltblood04|iderra = #00317C <!-- 49/100/216
-->| prussianblood = #002040 <!-- 25/100/210
-->| denimblood = #0000C0 <!-- 75/100/240
-->| navyblood05|divino = #292FA5 <!-- 65/75/237
-->| indigoblood|navyblood = #000080 <!-- 50/100/240
-->| navyblood04|rypite|gascon|bravura = #1A1280 <!-- 50/86/244
-->| navyblood02|occeus|vanguard = #00007F <!-- 50/100/240
-->| navyblood03|dexous = #000063 <!-- 39/100/240
-->| midnightblood = #000040 <!-- 25/100/240
-->| midnightblood02|pramen = #101020 <!-- 13/50/240
-->| amethystblood02|cretas = #630BCD <!-- 80/95/267
-->| amethystblood = #6000C0 <!-- 75/100/270
-->| amethystblood03|roxett = #9880AB <!-- 67/25/273
-->| jamblood08|gingou = #67489B <!-- 61/54/262
-->| jamblood05|keiksi = #510E93 <!-- 58/90/270
-->| jamblood09|nez|nezrui = #5E4689 <!-- 54/49/261
-->| jamblood07|seinru = #390180 <!-- 50/99/266
-->| purpleblood|jamblood = #400080 <!-- 50/100/270
-->| jamblood02|tazsia|taz|deadlock = #39017F <!-- 50/99/267
-->| jamblood04|endari = #39007E <!-- 49/100/267
-->| jamblood03|sestro|clarud|executive = #61467B <!-- 48/43/271
-->| jamblood06|vilcus = #411E68 <!-- 41/71/268
-->| aubergineblood02|edolon = #270051 <!-- 32/100/269
-->| aubergineblood03|pozzol = #392C52 <!-- 32/46/261
-->| aubergineblood04|neilna = #2C154A <!-- 29/72/266
-->| aubergineblood = #200040 <!-- 25/100/270
-->| orchidblood = #C000C0 <!-- 75/100/300
-->| magentablood02|calder|persolus = #A00078 <!-- 63/100/315
-->| violetblood/calico|magentablood = #800080 <!-- 50/100/300
-->| byzantineblood03 = #570057 <!-- 34/100/300
-->| byzantineblood04|oricka = #542853 <!-- 33/52/301
-->| byzantineblood02|murrit|switchem = #510049 <!-- 32/100/306
-->| byzantineblood = #400040 <!-- 25/100/300
-->| roseblood = #C00060 <!-- 75/100/330
-->| fuchsiablood|ceriseblood = #800040 <!-- 50/100/330
-->| wineblood = #400020 <!-- 25/100/330
--------------------------------- OTHER ---------------
-->| whitenoise = #000000<!--
-->| mimesis = #FFFFFF<!--
-------------------------------------- DENIZENS --
-->| haniel = #404050 <!--
| forcas = #
| bathkol = #
-->| zehanpuryu = #0052F2 <!--
-->| lilith = #B7A99A <!--
-->| af = #F94F00 <!--
| gusion = # ;
| jegudial = # ;
-->| azbogah = #9C4DAD <!--
| wormwood = #
| sorush = #
| procel = #
-->| metatron = #363636 <!--
------------------------------------- CONSORTS AND OTHERS --
-->| rogi = #ABA698 <!--
-->| guy = #CC05B6 <!--
-->| lady = #55C91B <!--
-->| bucko = #C62501 <!--
-->| man = #13A872 <!--
-->| kid = #ADDB03 <!--
-->| tee hanos = #573D76 <!--
----------------------------------------- ASPECTS --
-->| breath = #4379E6<!--
-->| light = #F0840C<!--
-->| time = #B70D0E<!--
-->| space = #000000<!--
-->| mind = #00923D<!--
-->| heart = #55142A<!--
-->| life = #A49787<!--
-->| void = #104EA2<!--
-->| hope = #FFDE55<!--
-->| doom = #306800<!--
-->| blood = #3E1601<!--
-->| rage = #520C61<!--
-->| breath symbol = #47DFF9<!--
-->| light symbol = #F6FA4E<!--
-->| time symbol = #FF2106<!--
-->| space symbol = #FFFFFF<!--
-->| mind symbol = #06FFC9<!--
-->| heart symbol = #BD1864<!--
-->| life symbol = #72EB34<!--
-->| void symbol = #001A58<!--
-->| hope symbol = #FDFDFD<!--
-->| doom symbol = #000000<!--
-->| blood symbol = #BA1016<!--
-->| rage symbol = #9C4DAD<!--
----------------------------------------- QUADRANTS --
-->| flushed = #BF0000<!--
-->| pale = #C39797<!--
-->| ashen = #777777<!--
-->| caliginous = #000000<!--
------------------------------------------- OTHER --
-->| strife = #008C45<!--
-->| strife dark = #00603B<!--
-->| strife mid = #00C661<!--
-->| strife light = #00E371<!--
-->| prospit = #E49700<!--
-->| prospit symbol = #FFFF01<!--
-->| derse = #9700E4<!--
-->| derse symbol = #FF01FE<!--
----------------------------------------- DEFAULT --
-->| #default = {{{1}}}<!--
-->}}{{#if: {{{2|}}}|">{{{2}}}</span>}}</includeonly><noinclude>{{/Cheatsheet}}[[Category:Templates]]</noinclude>
9839b93f63941525ac559378cbb94cff95d30d2d
191
188
2023-10-21T08:42:23Z
Onepeachymo
2
wikitext
text/x-wiki
<!--EDITING THIS PAGE WILL NOT MODIFY THE CHEATSHEET. IF YOU WANT TO ADD A NEW COLOR, ADD IT HERE FIRST, THEN CHANGE THE CHEATSHEET ACCORDINGLY.--><includeonly>{{#if: {{{2|}}}<!--
-->|<span style="color:}}<!--
-->{{#switch: {{lc:{{{1|}}}}}<!--
----------------------------------- STANDARD DCRC THEME TONES --
-->| 0 = #000000 <!--
-->| 1 = #323232 <!--
-->| 2 = #4B4B4B <!--
-->| 3 = #535353 <!--
-->| 4 = #636363 <!--
-->| 5 = #C6C6C6 <!--
-->| 6 = #EEEEEE <!--
-->| 7 = #FFFFFF <!--
-->| ve0 = #EEEEEE <!--
-->| ve1 = #CCCCCC <!--
-->| ve2 = #999999 <!--
-->| ve3 = #777777 <!--
-->| ve4 = #444444 <!--
-->| ve5 = #202020 <!--
-->| dcrc black = #0F0F0F <!--
-->| dcrc white = #F0F0F0 <!--
----------------------------------- ACTS -------------
-->| act1|a1 = #B95C00 <!--
-->| intermission1|i1 = #000000 <!--
-->| act2|a2 = #6B8400 <!--
-->| intermission2side1|i2s1 = #351544 <!--
-->| intermission2side2|i2s2 = #06FFC9 <!--
-->| act3act1|a3a1 = #7F0000 <!--
-------------------------------- HEMOSPECTRUM ---------
CASTE ORDER IS SORTED BY BRIGHTNESS VALUE FIRST (FROM HIGHEST TO LOWEST) FOLLOWED BY SORTING BY SATURATION (FROM HIGHEST TO LOWEST) FOLLOWED BY SORTING BY HUE (FROM LOWEST TO HIGHEST)
Each bloodcaste within the hemospectrum is loosely determined by the temperature value of a blood color's hex value. Each caste has a 30° temperature range in which a hex value can fall. The caste hue temperatures are as follows:
346°-360°/0°-15° — Redblood
16°-45° — Bronzeblood
46°-75° — Yellowblood (Raines Limeblood omitted)
76°-105° — 'Limeblood' (As Limeblood as a caste does not exist, Greenblood sometimes overflows into this range.)
106°-135° — Greenblood
136°-165° — Jadeblood
166°-195° — Tealblood
196°-225° — Blueblood
226°-255° — Indigoblood
256°-285° — Purpleblood
286°-315° — Violetblood
316°-345° — Fuchsiablood
Each bloodcaste has 3 different Subshades (§) within their temperature range which are determined by their brightness value. Using the Redblood caste as an example, the § of a bloodcaste are as follows:
0-32% Brightness — Maroonblood (Darkest §)
33-66% Brightness — Rustblood (Average §)
67-100% Brightness — Scarletblood (Brightest §)
The saturation of a blood color's hex code has no bearing on its classification on the hemospectrum and is used solely for organizational purposes within a §.
Using Jentha's blood as an example, we can classify them as a Goldblood. Their blood color's hex code (#B49E18) has a Hue of 52°, a Brightness of 71%, and a Saturation of 87%. The 52° Hue falls within the 46°-75° temperature range of the Yellowblood caste, and the 71% Brightness falls within the 67-100% Brightness range of the Brightest §, ie. Goldblood.
The following color codes will be suffixed with their values listed as Brightness/Saturation/Hue
-->| scarletblood02 = #FF3646 <!-- 100/79/355
-->| scarletblood03|yeshin = #CD4748 <!-- 80/65/0
-->| scarletblood04|quever = #B2112B <!-- 70/90/350
-->| scarletblood = #C00000 <!-- 75/100/0
-->| rustblood07|shiopa = #A34434 <!-- 64/68/9
-->| rustblood02|cinare = #962600 <!-- 59/100/15
-->| rustblood03|valtel = #930000 <!-- 58/100/0
-->| rustblood08|lutzia = #8E0F0F <!-- 56/89/0
-->| redblood|rustblood = #800000 <!-- 50/100/0
-->| rustblood04|sovara|sova|annalist = #7F0000 <!-- 50/100/0
-->| rustblood05|racren = #690000 <!-- 41/100/0
-->| rustblood06|cepros = #631613 <!-- 39/81/2
-->| maroonblood = #400000 <!-- 25/100/0
-->| clayblood06|talald = #CD6500 <!-- 80/100/30
-->| clayblood02|dismas|fomentor = #C44000 <!-- 77/100/20
-->| clayblood = #C06000 <!-- 75/100/30
-->| clayblood05|rodere = #B45014 <!-- 71/89/23
-->| clayblood07|garnie = #B48E44 <!-- 71/62/40
-->| clayblood04|husske = #B25D2C <!-- 70/75/22
-->| clayblood08|hemiot = #A3731A <!-- 64/84/39
-->| clayblood03 = #A03D02 <!-- Unnamed Clayblood Troll 63/99/22
-->| bronzeblood|colablood = #804000 <!-- 50/100/30
-->| umberblood03|unknown = #49311A <!-- 29/64/29
-->| umberblood = #402000 <!-- 25/100/30
-->| umberblood02|degner = #2D261D <!-- 18/36/34
-->| cornsyrupblood|arcjec|thesal|forgiven = #B95C00 <!--
-->| goldblood03|mshiri = #FBEC5D <!-- 98/63/54
-->| goldblood08|medjed = #E6B400 <!-- 90/100/47
-->| goldblood09|cul|culium = #D8AA09 <!-- 85/96/47
-->| goldblood07|vyr|vyrmis = #DAAF2D <!-- 85/79/45
-->| mshiri02 = #D4C64E <!-- 83/63/54
-->| goldblood = #C0C000 <!-- 75/100/60
-->| goldblood06|vellia = #BDAA00 <!-- 74/100/54
-->| goldblood02|jentha|mosura|supernova|lipsen = #B49E18 <!-- 71/87/52
-->| goldblood05|hayyan = #B29E14 <!-- 70/89/52
-->| goldblood04|sabine = #B07800 <!-- 69/100/41
-->| yellowblood|mustardblood = #808000 <!-- 50/100/60
-->| ciderblood = #404000 <!-- 25/100/60
-->| limeblood|ellsee|zekura|vivifier = #6C8400 <!--
-->| cloverblood = #00C000 <!-- 75/100/120
-->| oliveblood04|sirage = #619319 <!-- 58/83/85
-->| greenblood|oliveblood = #008000 <!-- 50/100/120
-->| oliveblood05|mekris = #207D00 <!-- 49/100/105
-->| oliveblood02|albion|cyprim|exemplar = #407D00 <!-- 49/100/89
-->| oliveblood06|pascal = #5D7B49 <!-- 48/41/96
-->| oliveblood07|linole = #43723C <!-- 45/47/112
-->| oliveblood03|noxious|aumtzi = #446F09 <!-- 44/92/85
-->| oliveblood08 = #405E2E <!-- 37/51/98
-->| pineblood02|ochreblood02|raurou = #48574A <!-- 34/17/128
-->| pineblood|ochreblood = #004000 <!-- 25/100/120
-->| pineblood03|ochreblood03|tenemi = #033B03 <!-- 23/65/120
-->| fernblood = #00C060 <!-- 75/100/150
-->| viridianblood04|gerbat = #039639 <!-- 59/98/142
-->| jadeblood|viridianblood = #008040 <!-- 50/100/150
-->| viridianblood05|cepora = #007E52 <!-- 49/100/159
-->| viridianblood03|glomer = #397E57 <!-- 49/55/146
-->| viridianblood02|hamifi = #00722D <!-- 45/100/144
-->| viridianblood06|principal = #346547 <!-- 40/49/143
-->| mossblood = #004020 <!-- 25/100/150
-->| cyanblood02|femmis = #06D6D6 <!-- 84/97/180
-->| cyanblood = #00C0C0 <!-- 75/100/180
-->| cyanblood03|turnin = #01C09F <!-- 75/99/170
-->| turquoiseblood04|serpaz|bohemian = #00A596 <!-- 65/100/175
-->| turquoiseblood05|helica = #04A180 <!-- 63/98/167
-->| turquoiseblood02|secily|arcamu|commandant = #0989A0 <!-- 63/94/189
-->| turquoiseblood06|alcest = #728682 <!-- 53/15/168
-->| tealblood|turquoiseblood = #008080 <!-- 50/100/180
-->| turquoiseblood03|crytum = #2D6461 <!-- 39/55/177
-->| cyprusblood02|aislin = #005E5E <!-- 37/100/180
-->| cyprusblood = #004040 <!-- 25/100/180
-->| cyprusblood03|cadlys = #163B3B <!-- 23/63/180
-->| aegeanblood04|kimosh = #018BCB <!-- 80/100/199
-->| aegeanblood = #0060C0 <!-- 75/100/210
-->| aegeanblood02|bytcon = #0040AF <!-- 69/100/218
-->| cobaltblood02|laivan|jagerman = #004696 <!-- 59/100/212
-->| cobaltblood03|necron = #004182 <!-- 51/100/210
-->| blueblood|cobaltblood = #004080 <!-- 50/100/210
-->| cobaltblood04|iderra = #00317C <!-- 49/100/216
-->| prussianblood = #002040 <!-- 25/100/210
-->| denimblood = #0000C0 <!-- 75/100/240
-->| navyblood05|divino = #292FA5 <!-- 65/75/237
-->| indigoblood|navyblood = #000080 <!-- 50/100/240
-->| navyblood04|rypite|gascon|bravura = #1A1280 <!-- 50/86/244
-->| navyblood02|occeus|vanguard = #00007F <!-- 50/100/240
-->| navyblood03|dexous = #000063 <!-- 39/100/240
-->| midnightblood = #000040 <!-- 25/100/240
-->| midnightblood02|pramen = #101020 <!-- 13/50/240
-->| amethystblood02|cretas = #630BCD <!-- 80/95/267
-->| amethystblood = #6000C0 <!-- 75/100/270
-->| amethystblood03|roxett = #9880AB <!-- 67/25/273
-->| jamblood08|gingou = #67489B <!-- 61/54/262
-->| jamblood05|keiksi = #510E93 <!-- 58/90/270
-->| jamblood09|nez|nezrui = #5E4689 <!-- 54/49/261
-->| jamblood07|seinru = #390180 <!-- 50/99/266
-->| purpleblood|jamblood = #400080 <!-- 50/100/270
-->| jamblood02|tazsia|taz|deadlock = #39017F <!-- 50/99/267
-->| jamblood04|endari = #39007E <!-- 49/100/267
-->| jamblood03|sestro|clarud|executive = #61467B <!-- 48/43/271
-->| jamblood06|vilcus = #411E68 <!-- 41/71/268
-->| aubergineblood02|edolon = #270051 <!-- 32/100/269
-->| aubergineblood03|pozzol = #392C52 <!-- 32/46/261
-->| aubergineblood04|neilna = #2C154A <!-- 29/72/266
-->| aubergineblood = #200040 <!-- 25/100/270
-->| orchidblood = #C000C0 <!-- 75/100/300
-->| magentablood02|calder|persolus = #A00078 <!-- 63/100/315
-->| violetblood|magentablood|calico = #800080 <!-- 50/100/300
-->| byzantineblood03 = #570057 <!-- 34/100/300
-->| byzantineblood04|oricka = #542853 <!-- 33/52/301
-->| byzantineblood02|murrit|switchem = #510049 <!-- 32/100/306
-->| byzantineblood = #400040 <!-- 25/100/300
-->| roseblood = #C00060 <!-- 75/100/330
-->| fuchsiablood|ceriseblood = #800040 <!-- 50/100/330
-->| wineblood = #400020 <!-- 25/100/330
--------------------------------- OTHER ---------------
-->| whitenoise = #000000<!--
-->| mimesis = #FFFFFF<!--
-------------------------------------- DENIZENS --
-->| haniel = #404050 <!--
| forcas = #
| bathkol = #
-->| zehanpuryu = #0052F2 <!--
-->| lilith = #B7A99A <!--
-->| af = #F94F00 <!--
| gusion = # ;
| jegudial = # ;
-->| azbogah = #9C4DAD <!--
| wormwood = #
| sorush = #
| procel = #
-->| metatron = #363636 <!--
------------------------------------- CONSORTS AND OTHERS --
-->| rogi = #ABA698 <!--
-->| guy = #CC05B6 <!--
-->| lady = #55C91B <!--
-->| bucko = #C62501 <!--
-->| man = #13A872 <!--
-->| kid = #ADDB03 <!--
-->| tee hanos = #573D76 <!--
----------------------------------------- ASPECTS --
-->| breath = #4379E6<!--
-->| light = #F0840C<!--
-->| time = #B70D0E<!--
-->| space = #000000<!--
-->| mind = #00923D<!--
-->| heart = #55142A<!--
-->| life = #A49787<!--
-->| void = #104EA2<!--
-->| hope = #FFDE55<!--
-->| doom = #306800<!--
-->| blood = #3E1601<!--
-->| rage = #520C61<!--
-->| breath symbol = #47DFF9<!--
-->| light symbol = #F6FA4E<!--
-->| time symbol = #FF2106<!--
-->| space symbol = #FFFFFF<!--
-->| mind symbol = #06FFC9<!--
-->| heart symbol = #BD1864<!--
-->| life symbol = #72EB34<!--
-->| void symbol = #001A58<!--
-->| hope symbol = #FDFDFD<!--
-->| doom symbol = #000000<!--
-->| blood symbol = #BA1016<!--
-->| rage symbol = #9C4DAD<!--
----------------------------------------- QUADRANTS --
-->| flushed = #BF0000<!--
-->| pale = #C39797<!--
-->| ashen = #777777<!--
-->| caliginous = #000000<!--
------------------------------------------- OTHER --
-->| strife = #008C45<!--
-->| strife dark = #00603B<!--
-->| strife mid = #00C661<!--
-->| strife light = #00E371<!--
-->| prospit = #E49700<!--
-->| prospit symbol = #FFFF01<!--
-->| derse = #9700E4<!--
-->| derse symbol = #FF01FE<!--
----------------------------------------- DEFAULT --
-->| #default = {{{1}}}<!--
-->}}{{#if: {{{2|}}}|">{{{2}}}</span>}}</includeonly><noinclude>{{/Cheatsheet}}[[Category:Templates]]</noinclude>
49ee8d3233d94b0b58c58f6993744f9bb7f0c95c
201
191
2023-10-21T09:00:05Z
Onepeachymo
2
wikitext
text/x-wiki
<!--EDITING THIS PAGE WILL NOT MODIFY THE CHEATSHEET. IF YOU WANT TO ADD A NEW COLOR, ADD IT HERE FIRST, THEN CHANGE THE CHEATSHEET ACCORDINGLY.--><includeonly>{{#if: {{{2|}}}<!--
-->|<span style="color:}}<!--
-->{{#switch: {{lc:{{{1|}}}}}<!--
----------------------------------- STANDARD DCRC THEME TONES --
-->| 0 = #000000 <!--
-->| 1 = #323232 <!--
-->| 2 = #4B4B4B <!--
-->| 3 = #535353 <!--
-->| 4 = #636363 <!--
-->| 5 = #C6C6C6 <!--
-->| 6 = #EEEEEE <!--
-->| 7 = #FFFFFF <!--
-->| ve0 = #EEEEEE <!--
-->| ve1 = #CCCCCC <!--
-->| ve2 = #999999 <!--
-->| ve3 = #777777 <!--
-->| ve4 = #444444 <!--
-->| ve5 = #202020 <!--
-->| dcrc black = #0F0F0F <!--
-->| dcrc white = #F0F0F0 <!--
----------------------------------- ACTS -------------
-->| act1|a1 = #B95C00 <!--
-->| intermission1|i1 = #000000 <!--
-->| act2|a2 = #6B8400 <!--
-->| intermission2side1|i2s1 = #351544 <!--
-->| intermission2side2|i2s2 = #06FFC9 <!--
-->| act3act1|a3a1 = #7F0000 <!--
-------------------------------- HEMOSPECTRUM ---------
CASTE ORDER IS SORTED BY BRIGHTNESS VALUE FIRST (FROM HIGHEST TO LOWEST) FOLLOWED BY SORTING BY SATURATION (FROM HIGHEST TO LOWEST) FOLLOWED BY SORTING BY HUE (FROM LOWEST TO HIGHEST)
Each bloodcaste within the hemospectrum is loosely determined by the temperature value of a blood color's hex value. Each caste has a 30° temperature range in which a hex value can fall. The caste hue temperatures are as follows:
346°-360°/0°-15° — Redblood
16°-45° — Bronzeblood
46°-75° — Yellowblood (Raines Limeblood omitted)
76°-105° — 'Limeblood' (As Limeblood as a caste does not exist, Greenblood sometimes overflows into this range.)
106°-135° — Greenblood
136°-165° — Jadeblood
166°-195° — Tealblood
196°-225° — Blueblood
226°-255° — Indigoblood
256°-285° — Purpleblood
286°-315° — Violetblood
316°-345° — Fuchsiablood
Each bloodcaste has 3 different Subshades (§) within their temperature range which are determined by their brightness value. Using the Redblood caste as an example, the § of a bloodcaste are as follows:
0-32% Brightness — Maroonblood (Darkest §)
33-66% Brightness — Rustblood (Average §)
67-100% Brightness — Scarletblood (Brightest §)
The saturation of a blood color's hex code has no bearing on its classification on the hemospectrum and is used solely for organizational purposes within a §.
Using Jentha's blood as an example, we can classify them as a Goldblood. Their blood color's hex code (#B49E18) has a Hue of 52°, a Brightness of 71%, and a Saturation of 87%. The 52° Hue falls within the 46°-75° temperature range of the Yellowblood caste, and the 71% Brightness falls within the 67-100% Brightness range of the Brightest §, ie. Goldblood.
The following color codes will be suffixed with their values listed as Brightness/Saturation/Hue
-->| scarletblood02 = #FF3646 <!-- 100/79/355
-->| scarletblood03|yeshin = #CD4748 <!-- 80/65/0
-->| scarletblood04|quever = #B2112B <!-- 70/90/350
-->| scarletblood = #C00000 <!-- 75/100/0
-->| rustblood07|shiopa = #A34434 <!-- 64/68/9
-->| rustblood02|cinare = #962600 <!-- 59/100/15
-->| rustblood03|valtel = #930000 <!-- 58/100/0
-->| rustblood08|lutzia = #8E0F0F <!-- 56/89/0
-->| redblood|rustblood = #800000 <!-- 50/100/0
-->| rustblood04|sovara|sova|annalist = #7F0000 <!-- 50/100/0
-->| rustblood05|racren = #690000 <!-- 41/100/0
-->| rustblood06|cepros = #631613 <!-- 39/81/2
-->| maroonblood = #400000 <!-- 25/100/0
-->| clayblood06|talald = #CD6500 <!-- 80/100/30
-->| clayblood02|dismas|fomentor = #C44000 <!-- 77/100/20
-->| clayblood = #C06000 <!-- 75/100/30
-->| clayblood05|rodere = #B45014 <!-- 71/89/23
-->| clayblood07|garnie = #B48E44 <!-- 71/62/40
-->| clayblood04|husske = #B25D2C <!-- 70/75/22
-->| clayblood08|hemiot = #A3731A <!-- 64/84/39
-->| clayblood03 = #A03D02 <!-- Unnamed Clayblood Troll 63/99/22
-->| bronzeblood|colablood = #804000 <!-- 50/100/30
-->| umberblood03|unknown = #49311A <!-- 29/64/29
-->| umberblood = #402000 <!-- 25/100/30
-->| umberblood02|degner = #2D261D <!-- 18/36/34
-->| cornsyrupblood|arcjec|thesal|forgiven = #B95C00 <!--
-->| goldblood03|mshiri = #FBEC5D <!-- 98/63/54
-->| goldblood08|medjed = #E6B400 <!-- 90/100/47
-->| goldblood09|cul|culium = #D8AA09 <!-- 85/96/47
-->| goldblood07|vyr|vyrmis = #DAAF2D <!-- 85/79/45
-->| mshiri02 = #D4C64E <!-- 83/63/54
-->| goldblood = #C0C000 <!-- 75/100/60
-->| goldblood06|vellia = #BDAA00 <!-- 74/100/54
-->| goldblood02|jentha|mosura|supernova|lipsen = #B49E18 <!-- 71/87/52
-->| goldblood05|hayyan = #B29E14 <!-- 70/89/52
-->| goldblood04|sabine = #B07800 <!-- 69/100/41
-->| yellowblood|mustardblood = #808000 <!-- 50/100/60
-->| ciderblood = #404000 <!-- 25/100/60
-->| limeblood|ellsee|zekura|vivifier = #6C8400 <!--
-->| cloverblood = #00C000 <!-- 75/100/120
-->| oliveblood04|sirage = #619319 <!-- 58/83/85
-->| greenblood|oliveblood = #008000 <!-- 50/100/120
-->| oliveblood05|mekris = #207D00 <!-- 49/100/105
-->| oliveblood02|albion|cyprim|exemplar = #407D00 <!-- 49/100/89
-->| oliveblood06|pascal = #5D7B49 <!-- 48/41/96
-->| oliveblood07|linole = #43723C <!-- 45/47/112
-->| oliveblood03|noxious|aumtzi = #446F09 <!-- 44/92/85
-->| oliveblood08 = #405E2E <!-- 37/51/98
-->| pineblood02|ochreblood02|raurou = #48574A <!-- 34/17/128
-->| pineblood|ochreblood = #004000 <!-- 25/100/120
-->| pineblood03|ochreblood03|tenemi = #033B03 <!-- 23/65/120
-->| fernblood = #00C060 <!-- 75/100/150
-->| viridianblood04|gerbat = #039639 <!-- 59/98/142
-->| jadeblood|viridianblood = #008040 <!-- 50/100/150
-->| viridianblood05|cepora = #007E52 <!-- 49/100/159
-->| viridianblood03|glomer = #397E57 <!-- 49/55/146
-->| viridianblood02|hamifi = #00722D <!-- 45/100/144
-->| viridianblood06|principal = #346547 <!-- 40/49/143
-->| mossblood = #004020 <!-- 25/100/150
-->| cyanblood02|femmis = #06D6D6 <!-- 84/97/180
-->| cyanblood = #00C0C0 <!-- 75/100/180
-->| cyanblood03|turnin = #01C09F <!-- 75/99/170
-->| turquoiseblood04|serpaz|bohemian = #00A596 <!-- 65/100/175
-->| turquoiseblood05|helica = #04A180 <!-- 63/98/167
-->| turquoiseblood02|secily|arcamu|commandant = #0989A0 <!-- 63/94/189
-->| turquoiseblood06|alcest = #728682 <!-- 53/15/168
-->| tealblood|turquoiseblood = #008080 <!-- 50/100/180
-->| turquoiseblood03|crytum = #2D6461 <!-- 39/55/177
-->| cyprusblood02|aislin = #005E5E <!-- 37/100/180
-->| cyprusblood = #004040 <!-- 25/100/180
-->| cyprusblood03|cadlys = #163B3B <!-- 23/63/180
-->| aegeanblood04|kimosh = #018BCB <!-- 80/100/199
-->| aegeanblood = #0060C0 <!-- 75/100/210
-->| aegeanblood02|bytcon = #0040AF <!-- 69/100/218
-->| cobaltblood02|laivan|jagerman = #004696 <!-- 59/100/212
-->| cobaltblood03|necron = #004182 <!-- 51/100/210
-->| blueblood|cobaltblood = #004080 <!-- 50/100/210
-->| cobaltblood04|iderra = #00317C <!-- 49/100/216
-->| prussianblood = #002040 <!-- 25/100/210
-->| denimblood = #0000C0 <!-- 75/100/240
-->| navyblood05|divino = #292FA5 <!-- 65/75/237
-->| indigoblood|navyblood = #000080 <!-- 50/100/240
-->| navyblood04|rypite|gascon|bravura = #1A1280 <!-- 50/86/244
-->| navyblood02|occeus|vanguard = #00007F <!-- 50/100/240
-->| navyblood03|dexous = #000063 <!-- 39/100/240
-->| midnightblood = #000040 <!-- 25/100/240
-->| midnightblood02|pramen = #101020 <!-- 13/50/240
-->| amethystblood02|cretas = #630BCD <!-- 80/95/267
-->| amethystblood = #6000C0 <!-- 75/100/270
-->| amethystblood03|roxett = #9880AB <!-- 67/25/273
-->| jamblood08|gingou = #67489B <!-- 61/54/262
-->| jamblood05|keiksi = #510E93 <!-- 58/90/270
-->| jamblood09|nez|nezrui = #5E4689 <!-- 54/49/261
-->| jamblood07|seinru = #390180 <!-- 50/99/266
-->| purpleblood|jamblood = #400080 <!-- 50/100/270
-->| jamblood02|tazsia|taz|deadlock = #39017F <!-- 50/99/267
-->| jamblood04|endari = #39007E <!-- 49/100/267
-->| jamblood03|sestro|clarud|executive = #61467B <!-- 48/43/271
-->| jamblood06|vilcus = #411E68 <!-- 41/71/268
-->| aubergineblood02|edolon = #270051 <!-- 32/100/269
-->| aubergineblood03|pozzol = #392C52 <!-- 32/46/261
-->| aubergineblood04|neilna = #2C154A <!-- 29/72/266
-->| aubergineblood = #200040 <!-- 25/100/270
-->| orchidblood = #C000C0 <!-- 75/100/300
-->| magentablood02|calder|persolus = #A00078 <!-- 63/100/315
-->| violetblood|magentablood = #800080 <!-- 50/100/300
-->| byzantineblood03 = #570057 <!-- 34/100/300
-->| byzantineblood04|oricka = #542853 <!-- 33/52/301
-->| byzantineblood02|murrit|switchem = #510049 <!-- 32/100/306
-->| byzantineblood = #400040 <!-- 25/100/300
-->| roseblood = #C00060 <!-- 75/100/330
-->| fuchsiablood|ceriseblood = #800040 <!-- 50/100/330
-->| wineblood = #400020 <!-- 25/100/330
--------------------------------- OTHER ---------------
-->| whitenoise = #000000<!--
-->| mimesis = #FFFFFF<!--
-------------------------------------- DENIZENS --
-->| haniel = #404050 <!--
| forcas = #
| bathkol = #
-->| zehanpuryu = #0052F2 <!--
-->| lilith = #B7A99A <!--
-->| af = #F94F00 <!--
| gusion = # ;
| jegudial = # ;
-->| azbogah = #9C4DAD <!--
| wormwood = #
| sorush = #
| procel = #
-->| metatron = #363636 <!--
------------------------------------- CONSORTS AND OTHERS --
-->| rogi = #ABA698 <!--
-->| guy = #CC05B6 <!--
-->| lady = #55C91B <!--
-->| bucko = #C62501 <!--
-->| man = #13A872 <!--
-->| kid = #ADDB03 <!--
-->| tee hanos = #573D76 <!--
----------------------------------------- ASPECTS --
-->| breath = #4379E6<!--
-->| light = #F0840C<!--
-->| time = #B70D0E<!--
-->| space = #000000<!--
-->| mind = #00923D<!--
-->| heart = #55142A<!--
-->| life = #A49787<!--
-->| void = #104EA2<!--
-->| hope = #FFDE55<!--
-->| doom = #306800<!--
-->| blood = #3E1601<!--
-->| rage = #520C61<!--
-->| breath symbol = #47DFF9<!--
-->| light symbol = #F6FA4E<!--
-->| time symbol = #FF2106<!--
-->| space symbol = #FFFFFF<!--
-->| mind symbol = #06FFC9<!--
-->| heart symbol = #BD1864<!--
-->| life symbol = #72EB34<!--
-->| void symbol = #001A58<!--
-->| hope symbol = #FDFDFD<!--
-->| doom symbol = #000000<!--
-->| blood symbol = #BA1016<!--
-->| rage symbol = #9C4DAD<!--
----------------------------------------- QUADRANTS --
-->| flushed = #BF0000<!--
-->| pale = #C39797<!--
-->| ashen = #777777<!--
-->| caliginous = #000000<!--
------------------------------------------- OTHER --
-->| strife = #008C45<!--
-->| strife dark = #00603B<!--
-->| strife mid = #00C661<!--
-->| strife light = #00E371<!--
-->| prospit = #E49700<!--
-->| prospit symbol = #FFFF01<!--
-->| derse = #9700E4<!--
-->| derse symbol = #FF01FE<!--
----------------------------------------- DEFAULT --
-->| #default = {{{1}}}<!--
-->}}{{#if: {{{2|}}}|">{{{2}}}</span>}}</includeonly><noinclude>{{/Cheatsheet}}[[Category:Templates]]</noinclude>
8071f2ac36204159ae802ed3089859691467e234
Template:Color/Cheatsheet
10
42
189
144
2023-10-21T08:40:15Z
Onepeachymo
2
wikitext
text/x-wiki
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0;"
|-style="min-height:50px;"
|style="width:12.5%; background:{{color|0}}; color:white;"|0<br />{{color|0}}
|style="width:12.5%; background:{{color|1}}; color:white;"|1<br />{{color|1}}
|style="width:12.5%; background:{{color|2}}; color:white;"|2<br />{{color|2}}
|style="width:12.5%; background:{{color|3}}; color:white;"|3<br />{{color|3}}
|style="width:12.5%; background:{{color|4}}; color:white;"|4<br />{{color|4}}
|style="width:12.5%; background:{{color|5}}; color:black;"|5<br />{{color|5}}
|style="width:12.5%; background:{{color|6}}; color:black;"|6<br />{{color|6}}
|style="width:12.5%; background:{{color|7}}; color:black;"|7<br />{{color|7}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0;"
|-style="min-height:50px;"
|style="width:50%; background:{{color|dcrc black}}; color:white;"|dcrc black<br />{{color|dcrc black}}
|style="width:50%; background:{{color|dcrc white}}; color:black;"|dcrc white<br />{{color|dcrc white}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:white;"
|-style="min-height:50px;"
|style="width: 100%; background:{{color|a1}};"|act1 / a1<br />{{color|a1}}
|-style="min-height:50px;"
|style="width: 100%; background:{{color|i1}};"|intermission1 / i1<br />{{color|i1}}
|-style="min-height:50px;"
|style="width: 100%; background:{{color|a2}};"|act2 / a2<br />{{color|a2}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; border-top: 0; color:white;"
|-style="min-height:50px;"
|style="width: 50%; background:{{color|i2s1}};"|intermission2side1 / i2s1<br />{{color|i2s1}}
|style="width: 50%; background:{{color|i2s2}};"|intermission2side2 / i2s2<br />{{color|i2s2}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; border-top: 0; color:white;"
|-style="min-height:50px;"
|style="width: 100%; background:{{color|a3a1}};"|act3act1 / a3a1<br />{{color|a3a1}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:white;"
|-style="min-height:50px;"
|style="width:25%; background:{{Color|redblood}};" rowspan="1"|redblood<br />{{Color|redblood}}
|style="width:25%; background:{{Color|bronzeblood}};" rowspan="1"|bronzeblood<br />{{Color|bronzeblood}}
|style="width:25%; background:{{Color|cornsyrupblood}};" rowspan="14"|cornsyrupblood / arcjec / thesal / forgiven<br />{{Color|cornsyrupblood}}
|style="width:25%; background:{{Color|yellowblood}};" rowspan="1"|yellowblood<br />{{Color|yellowblood}}
|-style="min-height:50px;"
|style="background:{{Color|scarletblood02}};"|scarletblood02<br />{{Color|scarletblood02}}
|style="background:{{Color|clayblood06}};"|clayblood06 / talald<br />{{Color|clayblood06}}
|style="background:{{Color|goldblood03}};"|goldblood03 / mshiri<br />{{Color|goldblood03}}
|-style="min-height:50px;"
|style="background:{{Color|scarletblood03}};"|scarletblood03 / yeshin<br />{{Color|scarletblood03}}
|style="background:{{Color|clayblood02}};"|clayblood02 / dismas / fomenter<br />{{Color|clayblood02}}
|style="background:{{Color|goldblood08}};"|goldblood08 / medjed<br />{{Color|goldblood08}}
|-style="min-height:50px;"
|style="background:{{Color|scarletblood}};"|scarletblood<br />{{Color|scarletblood}}
|style="background:{{Color|clayblood}};"|clayblood<br />{{Color|clayblood}}
|style="background:{{Color|goldblood09}};"|goldblood09 / cul / culium<br />{{Color|goldblood09}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood07}};"|rustblood07 / shiopa<br />{{Color|rustblood07}}
|style="background:{{Color|clayblood05}};"|clayblood05 / rodere<br />{{Color|clayblood05}}
|style="background:{{Color|goldblood07}};"|goldblood07 / vyr / vyrmis<br />{{Color|goldblood07}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood02}};"|rustblood02 / cinare<br />{{Color|rustblood02}}
|style="background:{{Color|clayblood07}};"|clayblood07 / garnie<br />{{Color|clayblood07}}
|style="background:{{Color|mshiri02}};"|mshiri02<br />{{Color|mshiri02}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood03}};"|rustblood03 / valtel<br />{{Color|rustblood03}}
|style="background:{{Color|clayblood04}};"|clayblood04 / husske<br />{{Color|clayblood04}}
|style="background:{{Color|goldblood}};"|goldblood<br />{{Color|goldblood}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood08}};"|rustblood08 / lutzia<br />{{Color|rustblood08}}
|style="background:{{Color|clayblood08}};"|clayblood08 / hemiot<br />{{Color|clayblood08}}
|style="background:{{Color|goldblood06}};"|goldblood06 / vellia<br />{{Color|goldblood06}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood}};"|rustblood<br />{{Color|rustblood}}
|style="background:{{Color|clayblood03}};"|clayblood03<br />{{Color|clayblood03}}
|style="background:{{Color|goldblood02}};"|goldblood02 / lipsen / jentha / mosura / supernova<br />{{Color|goldblood02}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood04}};"|rustblood04 / sovara / sova / annalist<br />{{Color|rustblood04}}
|style="background:{{Color|colablood}};"|colablood<br />{{Color|colablood}}
|style="background:{{Color|goldblood05}};"|goldblood05 / hayyan<br />{{Color|goldblood05}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood05}};"|rustblood05 / racren<br />{{Color|rustblood05}}
|style="background:{{Color|umberblood03}};"|umberblood03 / unknown<br />{{Color|umberblood03}}
|style="background:{{Color|goldblood04}};"|goldblood04 / sabine<br />{{Color|goldblood04}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood06}};"|rustblood06 / cepros<br />{{Color|rustblood06}}
|style="background:{{Color|umberblood}};"|umberblood<br />{{Color|umberblood}}
|style="background:{{Color|mustardblood}};"|mustardblood<br />{{Color|mustardblood}}
|-style="min-height:50px;"
|style="background:{{Color|maroonblood}};"|maroonblood<br />{{Color|maroonblood}}
|style="background:{{Color|umberblood02}};"|umberblood02 / degner<br />{{Color|umberblood02}}
|style="background:{{Color|ciderblood}};"|ciderblood<br />{{Color|ciderblood}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-top:0; border-bottom:0; color:white;"
|-style="min-height:50px;"
|style="width:20%; background:{{Color|limeblood}};" rowspan="13"|limeblood / ellsee / zekura / vivifier<br />{{Color|limeblood}}
|style="width:20%; background:{{Color|greenblood}};" rowspan="1"|greenblood<br />{{Color|greenblood}}
|style="width:20%; background:{{Color|jadeblood}};" rowspan="5"|jadeblood<br />{{Color|jadeblood}}
|style="width:20%; background:{{Color|tealblood}};"rowspan="1" |tealblood<br />{{Color|tealblood}}
|style="width:20%; background:{{Color|blueblood}};" rowspan="5"|blueblood<br />{{Color|blueblood}}
|-style="min-height:50px;"
|style="background:{{Color|cloverblood}};"|cloverblood<br />{{Color|cloverblood}}
|style="background:{{Color|cyanblood02}};"|cyanblood02 / femmis<br />{{Color|cyanblood02}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood04}};"|oliveblood04 / sirage<br />{{Color|oliveblood04}}
|style="background:{{Color|cyanblood}};"|cyanblood<br />{{Color|cyanblood}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood}};"|oliveblood<br />{{Color|oliveblood}}
|style="background:{{Color|cyanblood03}};"|cyanblood03 / turnin<br />{{Color|cyanblood03}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood05}};"|oliveblood05 / mekris<br />{{Color|oliveblood05}}
|style="background:{{Color|turquoiseblood04}};"|turquoiseblood04 / serpaz / bohemian<br />{{Color|turquoiseblood04}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood02}};"|oliveblood02 / albion / cyprim / exemplar<br />{{Color|oliveblood02}}
|style="background:{{Color|fernblood}};"|fernblood<br />{{Color|fernblood}}
|style="background:{{Color|turquoiseblood05}};"|turquoiseblood05 / helica<br />{{Color|turquoiseblood05}}
|style="background:{{Color|aegeanblood04}};"|aegeanblood04 / kimosh<br />{{Color|aegeanblood04}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood06}};"|oliveblood06 / pascal<br />{{Color|oliveblood06}}
|style="background:{{Color|viridianblood04}};"|viridianblood04 / gerbat<br />{{Color|viridianblood04}}
|style="background:{{Color|turquoiseblood02}};"|turquoiseblood02 / secily / arcamu / commandant<br />{{Color|turquoiseblood02}}
|style="background:{{Color|aegeanblood}};"|aegeanblood<br />{{Color|aegeanblood}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood07}};"|oliveblood07 / linole<br />{{Color|oliveblood07}}
|style="background:{{Color|viridianblood}};"|viridianblood<br />{{Color|viridianblood}}
|style="background:{{Color|turquoiseblood06}};"|turquoiseblood06 / alcest<br />{{Color|turquoiseblood06}}
|style="background:{{Color|aegeanblood02}};"|aegeanblood02 / bytcon<br />{{Color|aegeanblood02}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood03}};"|oliveblood03 / noxious / aumtzi<br />{{Color|oliveblood03}}
|style="background:{{Color|viridianblood05}};"|viridianblood05 / cepora<br />{{Color|viridianblood05}}
|style="background:{{Color|turquoiseblood}};"|turquoiseblood<br />{{Color|turquoiseblood}}
|style="background:{{Color|cobaltblood02}};"|cobaltblood02 / laivan / jagerman<br />{{Color|cobaltblood02}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood08}};"|oliveblood08<br />{{Color|oliveblood08}}
|style="background:{{Color|viridianblood03}};"|viridianblood03 / glomer<br />{{Color|viridianblood03}}
|style="background:{{Color|turquoiseblood03}};"|turquoiseblood03 / crytum<br />{{Color|turquoiseblood03}}
|style="background:{{Color|cobaltblood03}};"|cobaltblood03 / necron<br />{{Color|cobaltblood03}}
|-style="min-height:50px;"
|style="background:{{Color|pineblood02}};"|pineblood02 / raurou<br />{{Color|pineblood02}}
|style="background:{{Color|viridianblood02}};"|viridianblood02 / hamifi<br />{{Color|viridianblood02}}
|style="background:{{Color|cyprusblood02}};"|cyprusblood02 / aislin<br />{{Color|cyprusblood02}}
|style="background:{{Color|cobaltblood}};"|cobaltblood<br />{{Color|cobaltblood}}
|-style="min-height:50px;"
|style="background:{{Color|pineblood}};"|pineblood<br />{{Color|pineblood}}
|style="background:{{Color|viridianblood06}};"|viridianblood06 / principal<br />{{Color|viridianblood06}}
|style="background:{{Color|cyprusblood}};"|cyprusblood<br />{{Color|cyprusblood}}
|style="background:{{Color|cobaltblood04}};"|cobaltblood04 / iderra<br />{{Color|cobaltblood04}}
|-style="min-height:50px;"
|style="background:{{Color|pineblood03}};"|pineblood03 / tenemi<br />{{Color|pineblood03}}
|style="background:{{Color|mossblood}};"|mossblood<br />{{Color|mossblood}}
|style="background:{{Color|cyprusblood03}};"|cyprusblood03 / cadlys<br />{{Color|cyprusblood03}}
|style="background:{{Color|prussianblood}};"|prussianblood<br />{{Color|prussianblood}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-top:0; border-bottom:0; color:white;"
|-style="min-height:50px;"
|style="width:25%; background:{{Color|indigoblood}};" rowspan="9"|indigoblood<br />{{Color|indigoblood}}
|style="width:25%; background:{{Color|purpleblood}};" rowspan="1"|purpleblood<br />{{Color|purpleblood}}
|style="width:25%; background:{{Color|violetblood/calico}};" rowspan="10"|violetblood<br />{{Color|violetblood}}
|style="width:25%; background:{{Color|fuchsiablood}};" rowspan="14"|fuchsiablood<br />{{Color|fuchsiablood}}
|-style="min-height:50px;"
|style="background:{{Color|amethystblood02}};"|amethystblood02 / cretas<br />{{Color|amethystblood02}}
|-style="min-height:50px;"
|style="background:{{Color|amethystblood}};"|amethystblood<br />{{Color|amethystblood}}
|-style="min-height:50px;"
|style="background:{{Color|amethystblood03}};"|amethystblood03 / roxett<br />{{Color|amethystblood03}}
|-style="min-height:50px;"
|style="background:{{Color|jamblood08}};"|jamblood08 / gingou<br />{{Color|jamblood08}}
|-style="min-height:50px;"
|style="background:{{Color|jamblood09}};"|jamblood09 / nez / nezrui<br />{{Color|jamblood09}}
|-style="min-height:50px;"
|style="background:{{Color|jamblood05}};"|jamblood05 / keiksi<br />{{Color|jamblood05}}
|-style="min-height:50px;"
|style="background:{{Color|jamblood}};"|jamblood<br />{{Color|jamblood}}
|-style="min-height:50px;"
|style="background:{{Color|jamblood07}};"|jamblood07 / seinru<br />{{Color|jamblood07}}
|-style="min-height:50px;"
|style="background:{{Color|denimblood}};"|denimblood<br />{{Color|denimblood}}
|style="background:{{Color|jamblood02}};"|jamblood02 / tazsia / taz / deadlock<br />{{Color|jamblood02}}
|-style="min-height:50px;"
|style="background:{{Color|navyblood05}};"|navyblood05 / divino<br />{{Color|navyblood05}}
|style="background:{{Color|jamblood04}};"|jamblood04 / endari<br />{{Color|jamblood04}}
|style="background:{{Color|orchidblood}};"|orchidblood<br />{{Color|orchidblood}}
|-style="min-height:50px;"
|style="background:{{Color|navyblood04}};"|navyblood04 / rypite / gascon / bravura<br />{{Color|navyblood04}}
|style="background:{{Color|jamblood03}};"|jamblood03 / sestro / clarud / executive<br />{{Color|jamblood03}}
|style="background:{{Color|magentablood02}};"|magentablood02 / calder / persolus<br />{{Color|magentablood02}}
|-style="min-height:50px;"
|style="background:{{Color|navyblood}};"|navyblood<br />{{Color|navyblood}}
|style="background:{{Color|jamblood06}};"|jamblood06 / vilcus<br />{{Color|jamblood06}}
|style="background:{{Color|magentablood}};"|magentablood<br />{{Color|magentablood}}
|-style="min-height:50px;"
|style="background:{{Color|navyblood02}};"|navyblood02 / occeus / vanguard<br />{{Color|navyblood02}}
|style="background:{{Color|aubergineblood02}};"|aubergineblood02 / edolon<br />{{Color|aubergineblood02}}
|style="background:{{Color|byzantineblood03}};"|byzantineblood03<br />{{Color|byzantineblood03}}
|-style="min-height:50px;"
|style="background:{{Color|navyblood03}};"|navyblood03 / dexous<br />{{Color|navyblood03}}
|style="background:{{Color|aubergineblood03}};"|aubergineblood03 / pozzol<br />{{Color|aubergineblood03}}
|style="background:{{Color|byzantineblood04}};"|byzantineblood04 / oricka<br />{{Color|byzantineblood04}}
|style="background:{{Color|roseblood}};"|roseblood<br />{{Color|roseblood}}
|-style="min-height:50px;"
|style="background:{{Color|midnightblood}};"|midnightblood<br />{{Color|midnightblood}}
|style="background:{{Color|aubergineblood04}};"|aubergineblood04 / neilna<br />{{Color|aubergineblood04}}
|style="background:{{Color|byzantineblood02}};"|byzantineblood02 / murrit / switchem<br />{{Color|byzantineblood02}}
|style="background:{{Color|ceriseblood}};"|ceriseblood<br />{{Color|ceriseblood}}
|-style="min-height:50px;"
|style="background:{{Color|midnightblood02}};"|midnightblood02 / pramen<br />{{Color|midnightblood02}}
|style="background:{{Color|aubergineblood}};"|aubergineblood<br />{{Color|aubergineblood}}
|style="background:{{Color|byzantineblood}};"|byzantineblood<br />{{Color|byzantineblood}}
|style="background:{{Color|wineblood}};"|wineblood<br />{{Color|wineblood}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:white;"
|-style="min-height:50px;""
|style="width:50%; background:{{color|whitenoise}};"|whitenoise<br />{{color|whitenoise}}
|style="width:50%; background:{{color|mimesis}}; color: #000000;"|mimesis<br />{{color|mimesis}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:white;"
|-style="min-height:50px;""
|style="width:33%; background:{{color|haniel}};"|haniel<br />{{color|haniel}}
|style="width:34%; background:{{color|af}};"|af<br />{{color|af}}
|style="width:33%; background:{{color|zehanpuryu}};"|zehanpuryu<br />{{color|zehanpuryu}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-top:0; border-bottom:0; color:white;"
|-style="min-height:50px;""
|style="width:50%; background:{{color|lilith}};"|lilith<br />{{color|lilith}}
|style="width:50%; background:{{color|azbogah}};"|azbogah<br />{{color|azbogah}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-top:0; border-bottom: 0; color:white;"
|-style="min-height:50px;"
|style="width:100%; background:{{color|metatron}};"|metatron<br />{{color|metatron}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:white;"
|-style="min-height:50px;"
|style="width:100%; background:{{color|rogi}};"|rogi<br />{{color|rogi}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; border-top:0; color:white;"
|-style="min-height:50px;"
|style="width:20%; background:{{color|guy}};"|guy<br />{{color|guy}}
|style="width:20%; background:{{color|lady}};"|lady<br />{{color|lady}}
|style="width:20%; background:{{color|bucko}};"|bucko<br />{{color|bucko}}
|style="width:20%; background:{{color|man}};"|man<br />{{color|man}}
|style="width:20%; background:{{color|kid}};"|kid<br />{{color|kid}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; border-top:0; color:white;"
|-style="min-height:50px;"
|style="width:100%; background:{{color|tee hanos}};"|tee hanos<br />{{color|tee hanos}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0;"
|-style="min-height:50px;"
|style="width:16.6%; background:{{color|space}}; color:{{color|space symbol}};"|space<br />{{color|space}}
|style="width:16.6%; background:{{color|mind}}; color:{{color|mind symbol}}"|mind<br />{{color|mind}}
|style="width:16.6%; background:{{color|hope}}; color:{{color|hope symbol}};"|hope<br />{{color|hope}}
|style="width:16.6%; background:{{color|breath}}; color:{{color|breath symbol}};"|breath<br />{{color|breath}}
|style="width:16.6%; background:{{color|life}}; color:{{color|life symbol}};"|life<br />{{color|life}}
|style="width:16.6%; background:{{color|light}}; color:{{color|light symbol}};"|light<br />{{color|light}}
|-style="min-height:50px;"
|style="background:{{color|space symbol}}; color:{{color|space}};"|space symbol<br />{{color|space symbol}}
|style="background:{{color|mind symbol}}; color:{{color|mind}};"|mind symbol<br />{{color|mind symbol}}
|style="background:{{color|hope symbol}}; color:{{color|hope}}"|hope symbol<br />{{color|hope symbol}}
|style="background:{{color|breath symbol}}; color:{{color|breath}};"|breath symbol<br />{{color|breath symbol}}
|style="background:{{color|life symbol}}; color:{{color|life}};"|life symbol<br />{{color|life symbol}}
|style="background:{{color|light symbol}}; color:{{color|light}};"|light symbol<br />{{color|light symbol}}
|-style="min-height:50px;"
|style="width:16.6%; background:{{color|time}}; color:{{color|time symbol}};"|time<br />{{color|time}}
|style="width:16.6%; background:{{color|heart}}; color:{{color|heart symbol}};"|heart<br />{{color|heart}}
|style="width:16.6%; background:{{color|rage}}; color:{{color|rage symbol}};"|rage<br />{{color|rage}}
|style="width:16.6%; background:{{color|blood}}; color:{{color|blood symbol}};"|blood<br />{{color|blood}}
|style="width:16.6%; background:{{color|doom}}; color:{{color|doom symbol}};"|doom<br />{{color|doom}}
|style="width:16.6%; background:{{color|void}}; color:{{color|void symbol}};"|void<br />{{color|void}}
|-style="min-height:50px;"
|style="background:{{color|time symbol}}; color:{{color|time}};"|time symbol<br />{{color|time symbol}}
|style="background:{{color|heart symbol}}; color:{{color|heart}};"|heart symbol<br />{{color|heart symbol}}
|style="background:{{color|rage symbol}}; color:{{color|rage}};"|rage symbol<br />{{color|rage symbol}}
|style="background:{{color|blood symbol}}; color:{{color|blood}};"|blood symbol<br />{{color|blood symbol}}
|style="background:{{color|doom symbol}}; color:{{color|doom}};"|doom symbol<br />{{color|doom symbol}}
|style="background:{{color|void symbol}}; color:{{color|void}};"|void symbol<br />{{color|void symbol}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:{{color|white}};"
|-style="min-height:50px;"
|style="width:25%; background:{{color|flushed}};"|flushed<br />{{color|flushed}}
|style="width:25%; background:{{color|caliginous}};"|caliginous<br />{{color|caliginous}}
|style="width:25%; background:{{color|pale}};"|pale<br />{{color|pale}}
|style="width:25%; background:{{color|ashen}};"|ashen<br />{{color|ashen}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:{{color|strife light}};"
|-style="min-height:50px;"
|style="width:25%; background:{{color|strife}};"|strife<br />{{color|strife}}
|style="width:25%; background:{{color|strife dark}};"|strife dark<br />{{color|strife dark}}
|style="width:25%; background:{{color|strife mid}}; color:{{color|strife dark}};"|strife mid<br />{{color|strife mid}}
|style="width:25%; background:{{color|strife light}}; color:{{color|strife dark}};"|strife light<br />{{color|strife light}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; color:black;"
|-style="min-height:50px"
|style="width:50%; background:{{color|prospit}}; color:black;"|prospit<br />{{color|prospit}}
|style="width:50%; background:{{color|derse}}; color:white;"|derse<br />{{color|derse}}
|-style="min-height:50px"
|style="background:{{color|prospit symbol}}; color:black;"|prospit symbol<br />{{color|prospit symbol}}
|style="background:{{color|derse symbol}}; color:white;"|derse symbol<br />{{color|derse symbol}}
|}<noinclude>[[Category:Template documentation]]</noinclude>
ac4d5c02efdaad827f95f23b360ef7d0781eafab
190
189
2023-10-21T08:42:20Z
Onepeachymo
2
wikitext
text/x-wiki
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0;"
|-style="min-height:50px;"
|style="width:12.5%; background:{{color|0}}; color:white;"|0<br />{{color|0}}
|style="width:12.5%; background:{{color|1}}; color:white;"|1<br />{{color|1}}
|style="width:12.5%; background:{{color|2}}; color:white;"|2<br />{{color|2}}
|style="width:12.5%; background:{{color|3}}; color:white;"|3<br />{{color|3}}
|style="width:12.5%; background:{{color|4}}; color:white;"|4<br />{{color|4}}
|style="width:12.5%; background:{{color|5}}; color:black;"|5<br />{{color|5}}
|style="width:12.5%; background:{{color|6}}; color:black;"|6<br />{{color|6}}
|style="width:12.5%; background:{{color|7}}; color:black;"|7<br />{{color|7}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0;"
|-style="min-height:50px;"
|style="width:50%; background:{{color|dcrc black}}; color:white;"|dcrc black<br />{{color|dcrc black}}
|style="width:50%; background:{{color|dcrc white}}; color:black;"|dcrc white<br />{{color|dcrc white}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:white;"
|-style="min-height:50px;"
|style="width: 100%; background:{{color|a1}};"|act1 / a1<br />{{color|a1}}
|-style="min-height:50px;"
|style="width: 100%; background:{{color|i1}};"|intermission1 / i1<br />{{color|i1}}
|-style="min-height:50px;"
|style="width: 100%; background:{{color|a2}};"|act2 / a2<br />{{color|a2}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; border-top: 0; color:white;"
|-style="min-height:50px;"
|style="width: 50%; background:{{color|i2s1}};"|intermission2side1 / i2s1<br />{{color|i2s1}}
|style="width: 50%; background:{{color|i2s2}};"|intermission2side2 / i2s2<br />{{color|i2s2}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; border-top: 0; color:white;"
|-style="min-height:50px;"
|style="width: 100%; background:{{color|a3a1}};"|act3act1 / a3a1<br />{{color|a3a1}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:white;"
|-style="min-height:50px;"
|style="width:25%; background:{{Color|redblood}};" rowspan="1"|redblood<br />{{Color|redblood}}
|style="width:25%; background:{{Color|bronzeblood}};" rowspan="1"|bronzeblood<br />{{Color|bronzeblood}}
|style="width:25%; background:{{Color|cornsyrupblood}};" rowspan="14"|cornsyrupblood / arcjec / thesal / forgiven<br />{{Color|cornsyrupblood}}
|style="width:25%; background:{{Color|yellowblood}};" rowspan="1"|yellowblood<br />{{Color|yellowblood}}
|-style="min-height:50px;"
|style="background:{{Color|scarletblood02}};"|scarletblood02<br />{{Color|scarletblood02}}
|style="background:{{Color|clayblood06}};"|clayblood06 / talald<br />{{Color|clayblood06}}
|style="background:{{Color|goldblood03}};"|goldblood03 / mshiri<br />{{Color|goldblood03}}
|-style="min-height:50px;"
|style="background:{{Color|scarletblood03}};"|scarletblood03 / yeshin<br />{{Color|scarletblood03}}
|style="background:{{Color|clayblood02}};"|clayblood02 / dismas / fomenter<br />{{Color|clayblood02}}
|style="background:{{Color|goldblood08}};"|goldblood08 / medjed<br />{{Color|goldblood08}}
|-style="min-height:50px;"
|style="background:{{Color|scarletblood}};"|scarletblood<br />{{Color|scarletblood}}
|style="background:{{Color|clayblood}};"|clayblood<br />{{Color|clayblood}}
|style="background:{{Color|goldblood09}};"|goldblood09 / cul / culium<br />{{Color|goldblood09}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood07}};"|rustblood07 / shiopa<br />{{Color|rustblood07}}
|style="background:{{Color|clayblood05}};"|clayblood05 / rodere<br />{{Color|clayblood05}}
|style="background:{{Color|goldblood07}};"|goldblood07 / vyr / vyrmis<br />{{Color|goldblood07}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood02}};"|rustblood02 / cinare<br />{{Color|rustblood02}}
|style="background:{{Color|clayblood07}};"|clayblood07 / garnie<br />{{Color|clayblood07}}
|style="background:{{Color|mshiri02}};"|mshiri02<br />{{Color|mshiri02}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood03}};"|rustblood03 / valtel<br />{{Color|rustblood03}}
|style="background:{{Color|clayblood04}};"|clayblood04 / husske<br />{{Color|clayblood04}}
|style="background:{{Color|goldblood}};"|goldblood<br />{{Color|goldblood}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood08}};"|rustblood08 / lutzia<br />{{Color|rustblood08}}
|style="background:{{Color|clayblood08}};"|clayblood08 / hemiot<br />{{Color|clayblood08}}
|style="background:{{Color|goldblood06}};"|goldblood06 / vellia<br />{{Color|goldblood06}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood}};"|rustblood<br />{{Color|rustblood}}
|style="background:{{Color|clayblood03}};"|clayblood03<br />{{Color|clayblood03}}
|style="background:{{Color|goldblood02}};"|goldblood02 / lipsen / jentha / mosura / supernova<br />{{Color|goldblood02}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood04}};"|rustblood04 / sovara / sova / annalist<br />{{Color|rustblood04}}
|style="background:{{Color|colablood}};"|colablood<br />{{Color|colablood}}
|style="background:{{Color|goldblood05}};"|goldblood05 / hayyan<br />{{Color|goldblood05}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood05}};"|rustblood05 / racren<br />{{Color|rustblood05}}
|style="background:{{Color|umberblood03}};"|umberblood03 / unknown<br />{{Color|umberblood03}}
|style="background:{{Color|goldblood04}};"|goldblood04 / sabine<br />{{Color|goldblood04}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood06}};"|rustblood06 / cepros<br />{{Color|rustblood06}}
|style="background:{{Color|umberblood}};"|umberblood<br />{{Color|umberblood}}
|style="background:{{Color|mustardblood}};"|mustardblood<br />{{Color|mustardblood}}
|-style="min-height:50px;"
|style="background:{{Color|maroonblood}};"|maroonblood<br />{{Color|maroonblood}}
|style="background:{{Color|umberblood02}};"|umberblood02 / degner<br />{{Color|umberblood02}}
|style="background:{{Color|ciderblood}};"|ciderblood<br />{{Color|ciderblood}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-top:0; border-bottom:0; color:white;"
|-style="min-height:50px;"
|style="width:20%; background:{{Color|limeblood}};" rowspan="13"|limeblood / ellsee / zekura / vivifier<br />{{Color|limeblood}}
|style="width:20%; background:{{Color|greenblood}};" rowspan="1"|greenblood<br />{{Color|greenblood}}
|style="width:20%; background:{{Color|jadeblood}};" rowspan="5"|jadeblood<br />{{Color|jadeblood}}
|style="width:20%; background:{{Color|tealblood}};"rowspan="1" |tealblood<br />{{Color|tealblood}}
|style="width:20%; background:{{Color|blueblood}};" rowspan="5"|blueblood<br />{{Color|blueblood}}
|-style="min-height:50px;"
|style="background:{{Color|cloverblood}};"|cloverblood<br />{{Color|cloverblood}}
|style="background:{{Color|cyanblood02}};"|cyanblood02 / femmis<br />{{Color|cyanblood02}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood04}};"|oliveblood04 / sirage<br />{{Color|oliveblood04}}
|style="background:{{Color|cyanblood}};"|cyanblood<br />{{Color|cyanblood}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood}};"|oliveblood<br />{{Color|oliveblood}}
|style="background:{{Color|cyanblood03}};"|cyanblood03 / turnin<br />{{Color|cyanblood03}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood05}};"|oliveblood05 / mekris<br />{{Color|oliveblood05}}
|style="background:{{Color|turquoiseblood04}};"|turquoiseblood04 / serpaz / bohemian<br />{{Color|turquoiseblood04}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood02}};"|oliveblood02 / albion / cyprim / exemplar<br />{{Color|oliveblood02}}
|style="background:{{Color|fernblood}};"|fernblood<br />{{Color|fernblood}}
|style="background:{{Color|turquoiseblood05}};"|turquoiseblood05 / helica<br />{{Color|turquoiseblood05}}
|style="background:{{Color|aegeanblood04}};"|aegeanblood04 / kimosh<br />{{Color|aegeanblood04}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood06}};"|oliveblood06 / pascal<br />{{Color|oliveblood06}}
|style="background:{{Color|viridianblood04}};"|viridianblood04 / gerbat<br />{{Color|viridianblood04}}
|style="background:{{Color|turquoiseblood02}};"|turquoiseblood02 / secily / arcamu / commandant<br />{{Color|turquoiseblood02}}
|style="background:{{Color|aegeanblood}};"|aegeanblood<br />{{Color|aegeanblood}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood07}};"|oliveblood07 / linole<br />{{Color|oliveblood07}}
|style="background:{{Color|viridianblood}};"|viridianblood<br />{{Color|viridianblood}}
|style="background:{{Color|turquoiseblood06}};"|turquoiseblood06 / alcest<br />{{Color|turquoiseblood06}}
|style="background:{{Color|aegeanblood02}};"|aegeanblood02 / bytcon<br />{{Color|aegeanblood02}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood03}};"|oliveblood03 / noxious / aumtzi<br />{{Color|oliveblood03}}
|style="background:{{Color|viridianblood05}};"|viridianblood05 / cepora<br />{{Color|viridianblood05}}
|style="background:{{Color|turquoiseblood}};"|turquoiseblood<br />{{Color|turquoiseblood}}
|style="background:{{Color|cobaltblood02}};"|cobaltblood02 / laivan / jagerman<br />{{Color|cobaltblood02}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood08}};"|oliveblood08<br />{{Color|oliveblood08}}
|style="background:{{Color|viridianblood03}};"|viridianblood03 / glomer<br />{{Color|viridianblood03}}
|style="background:{{Color|turquoiseblood03}};"|turquoiseblood03 / crytum<br />{{Color|turquoiseblood03}}
|style="background:{{Color|cobaltblood03}};"|cobaltblood03 / necron<br />{{Color|cobaltblood03}}
|-style="min-height:50px;"
|style="background:{{Color|pineblood02}};"|pineblood02 / raurou<br />{{Color|pineblood02}}
|style="background:{{Color|viridianblood02}};"|viridianblood02 / hamifi<br />{{Color|viridianblood02}}
|style="background:{{Color|cyprusblood02}};"|cyprusblood02 / aislin<br />{{Color|cyprusblood02}}
|style="background:{{Color|cobaltblood}};"|cobaltblood<br />{{Color|cobaltblood}}
|-style="min-height:50px;"
|style="background:{{Color|pineblood}};"|pineblood<br />{{Color|pineblood}}
|style="background:{{Color|viridianblood06}};"|viridianblood06 / principal<br />{{Color|viridianblood06}}
|style="background:{{Color|cyprusblood}};"|cyprusblood<br />{{Color|cyprusblood}}
|style="background:{{Color|cobaltblood04}};"|cobaltblood04 / iderra<br />{{Color|cobaltblood04}}
|-style="min-height:50px;"
|style="background:{{Color|pineblood03}};"|pineblood03 / tenemi<br />{{Color|pineblood03}}
|style="background:{{Color|mossblood}};"|mossblood<br />{{Color|mossblood}}
|style="background:{{Color|cyprusblood03}};"|cyprusblood03 / cadlys<br />{{Color|cyprusblood03}}
|style="background:{{Color|prussianblood}};"|prussianblood<br />{{Color|prussianblood}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-top:0; border-bottom:0; color:white;"
|-style="min-height:50px;"
|style="width:25%; background:{{Color|indigoblood}};" rowspan="9"|indigoblood<br />{{Color|indigoblood}}
|style="width:25%; background:{{Color|purpleblood}};" rowspan="1"|purpleblood<br />{{Color|purpleblood}}
|style="width:25%; background:{{Color|violetblood}};" rowspan="10"|violetblood<br />{{Color|violetblood}}
|style="width:25%; background:{{Color|fuchsiablood}};" rowspan="14"|fuchsiablood<br />{{Color|fuchsiablood}}
|-style="min-height:50px;"
|style="background:{{Color|amethystblood02}};"|amethystblood02 / cretas<br />{{Color|amethystblood02}}
|-style="min-height:50px;"
|style="background:{{Color|amethystblood}};"|amethystblood<br />{{Color|amethystblood}}
|-style="min-height:50px;"
|style="background:{{Color|amethystblood03}};"|amethystblood03 / roxett<br />{{Color|amethystblood03}}
|-style="min-height:50px;"
|style="background:{{Color|jamblood08}};"|jamblood08 / gingou<br />{{Color|jamblood08}}
|-style="min-height:50px;"
|style="background:{{Color|jamblood09}};"|jamblood09 / nez / nezrui<br />{{Color|jamblood09}}
|-style="min-height:50px;"
|style="background:{{Color|jamblood05}};"|jamblood05 / keiksi<br />{{Color|jamblood05}}
|-style="min-height:50px;"
|style="background:{{Color|jamblood}};"|jamblood<br />{{Color|jamblood}}
|-style="min-height:50px;"
|style="background:{{Color|jamblood07}};"|jamblood07 / seinru<br />{{Color|jamblood07}}
|-style="min-height:50px;"
|style="background:{{Color|denimblood}};"|denimblood<br />{{Color|denimblood}}
|style="background:{{Color|jamblood02}};"|jamblood02 / tazsia / taz / deadlock<br />{{Color|jamblood02}}
|-style="min-height:50px;"
|style="background:{{Color|navyblood05}};"|navyblood05 / divino<br />{{Color|navyblood05}}
|style="background:{{Color|jamblood04}};"|jamblood04 / endari<br />{{Color|jamblood04}}
|style="background:{{Color|orchidblood}};"|orchidblood<br />{{Color|orchidblood}}
|-style="min-height:50px;"
|style="background:{{Color|navyblood04}};"|navyblood04 / rypite / gascon / bravura<br />{{Color|navyblood04}}
|style="background:{{Color|jamblood03}};"|jamblood03 / sestro / clarud / executive<br />{{Color|jamblood03}}
|style="background:{{Color|magentablood02}};"|magentablood02 / calder / persolus<br />{{Color|magentablood02}}
|-style="min-height:50px;"
|style="background:{{Color|navyblood}};"|navyblood<br />{{Color|navyblood}}
|style="background:{{Color|jamblood06}};"|jamblood06 / vilcus<br />{{Color|jamblood06}}
|style="background:{{Color|magentablood}};"|magentablood / calico<br />{{Color|magentablood}}
|-style="min-height:50px;"
|style="background:{{Color|navyblood02}};"|navyblood02 / occeus / vanguard<br />{{Color|navyblood02}}
|style="background:{{Color|aubergineblood02}};"|aubergineblood02 / edolon<br />{{Color|aubergineblood02}}
|style="background:{{Color|byzantineblood03}};"|byzantineblood03<br />{{Color|byzantineblood03}}
|-style="min-height:50px;"
|style="background:{{Color|navyblood03}};"|navyblood03 / dexous<br />{{Color|navyblood03}}
|style="background:{{Color|aubergineblood03}};"|aubergineblood03 / pozzol<br />{{Color|aubergineblood03}}
|style="background:{{Color|byzantineblood04}};"|byzantineblood04 / oricka<br />{{Color|byzantineblood04}}
|style="background:{{Color|roseblood}};"|roseblood<br />{{Color|roseblood}}
|-style="min-height:50px;"
|style="background:{{Color|midnightblood}};"|midnightblood<br />{{Color|midnightblood}}
|style="background:{{Color|aubergineblood04}};"|aubergineblood04 / neilna<br />{{Color|aubergineblood04}}
|style="background:{{Color|byzantineblood02}};"|byzantineblood02 / murrit / switchem<br />{{Color|byzantineblood02}}
|style="background:{{Color|ceriseblood}};"|ceriseblood<br />{{Color|ceriseblood}}
|-style="min-height:50px;"
|style="background:{{Color|midnightblood02}};"|midnightblood02 / pramen<br />{{Color|midnightblood02}}
|style="background:{{Color|aubergineblood}};"|aubergineblood<br />{{Color|aubergineblood}}
|style="background:{{Color|byzantineblood}};"|byzantineblood<br />{{Color|byzantineblood}}
|style="background:{{Color|wineblood}};"|wineblood<br />{{Color|wineblood}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:white;"
|-style="min-height:50px;""
|style="width:50%; background:{{color|whitenoise}};"|whitenoise<br />{{color|whitenoise}}
|style="width:50%; background:{{color|mimesis}}; color: #000000;"|mimesis<br />{{color|mimesis}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:white;"
|-style="min-height:50px;""
|style="width:33%; background:{{color|haniel}};"|haniel<br />{{color|haniel}}
|style="width:34%; background:{{color|af}};"|af<br />{{color|af}}
|style="width:33%; background:{{color|zehanpuryu}};"|zehanpuryu<br />{{color|zehanpuryu}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-top:0; border-bottom:0; color:white;"
|-style="min-height:50px;""
|style="width:50%; background:{{color|lilith}};"|lilith<br />{{color|lilith}}
|style="width:50%; background:{{color|azbogah}};"|azbogah<br />{{color|azbogah}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-top:0; border-bottom: 0; color:white;"
|-style="min-height:50px;"
|style="width:100%; background:{{color|metatron}};"|metatron<br />{{color|metatron}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:white;"
|-style="min-height:50px;"
|style="width:100%; background:{{color|rogi}};"|rogi<br />{{color|rogi}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; border-top:0; color:white;"
|-style="min-height:50px;"
|style="width:20%; background:{{color|guy}};"|guy<br />{{color|guy}}
|style="width:20%; background:{{color|lady}};"|lady<br />{{color|lady}}
|style="width:20%; background:{{color|bucko}};"|bucko<br />{{color|bucko}}
|style="width:20%; background:{{color|man}};"|man<br />{{color|man}}
|style="width:20%; background:{{color|kid}};"|kid<br />{{color|kid}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; border-top:0; color:white;"
|-style="min-height:50px;"
|style="width:100%; background:{{color|tee hanos}};"|tee hanos<br />{{color|tee hanos}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0;"
|-style="min-height:50px;"
|style="width:16.6%; background:{{color|space}}; color:{{color|space symbol}};"|space<br />{{color|space}}
|style="width:16.6%; background:{{color|mind}}; color:{{color|mind symbol}}"|mind<br />{{color|mind}}
|style="width:16.6%; background:{{color|hope}}; color:{{color|hope symbol}};"|hope<br />{{color|hope}}
|style="width:16.6%; background:{{color|breath}}; color:{{color|breath symbol}};"|breath<br />{{color|breath}}
|style="width:16.6%; background:{{color|life}}; color:{{color|life symbol}};"|life<br />{{color|life}}
|style="width:16.6%; background:{{color|light}}; color:{{color|light symbol}};"|light<br />{{color|light}}
|-style="min-height:50px;"
|style="background:{{color|space symbol}}; color:{{color|space}};"|space symbol<br />{{color|space symbol}}
|style="background:{{color|mind symbol}}; color:{{color|mind}};"|mind symbol<br />{{color|mind symbol}}
|style="background:{{color|hope symbol}}; color:{{color|hope}}"|hope symbol<br />{{color|hope symbol}}
|style="background:{{color|breath symbol}}; color:{{color|breath}};"|breath symbol<br />{{color|breath symbol}}
|style="background:{{color|life symbol}}; color:{{color|life}};"|life symbol<br />{{color|life symbol}}
|style="background:{{color|light symbol}}; color:{{color|light}};"|light symbol<br />{{color|light symbol}}
|-style="min-height:50px;"
|style="width:16.6%; background:{{color|time}}; color:{{color|time symbol}};"|time<br />{{color|time}}
|style="width:16.6%; background:{{color|heart}}; color:{{color|heart symbol}};"|heart<br />{{color|heart}}
|style="width:16.6%; background:{{color|rage}}; color:{{color|rage symbol}};"|rage<br />{{color|rage}}
|style="width:16.6%; background:{{color|blood}}; color:{{color|blood symbol}};"|blood<br />{{color|blood}}
|style="width:16.6%; background:{{color|doom}}; color:{{color|doom symbol}};"|doom<br />{{color|doom}}
|style="width:16.6%; background:{{color|void}}; color:{{color|void symbol}};"|void<br />{{color|void}}
|-style="min-height:50px;"
|style="background:{{color|time symbol}}; color:{{color|time}};"|time symbol<br />{{color|time symbol}}
|style="background:{{color|heart symbol}}; color:{{color|heart}};"|heart symbol<br />{{color|heart symbol}}
|style="background:{{color|rage symbol}}; color:{{color|rage}};"|rage symbol<br />{{color|rage symbol}}
|style="background:{{color|blood symbol}}; color:{{color|blood}};"|blood symbol<br />{{color|blood symbol}}
|style="background:{{color|doom symbol}}; color:{{color|doom}};"|doom symbol<br />{{color|doom symbol}}
|style="background:{{color|void symbol}}; color:{{color|void}};"|void symbol<br />{{color|void symbol}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:{{color|white}};"
|-style="min-height:50px;"
|style="width:25%; background:{{color|flushed}};"|flushed<br />{{color|flushed}}
|style="width:25%; background:{{color|caliginous}};"|caliginous<br />{{color|caliginous}}
|style="width:25%; background:{{color|pale}};"|pale<br />{{color|pale}}
|style="width:25%; background:{{color|ashen}};"|ashen<br />{{color|ashen}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:{{color|strife light}};"
|-style="min-height:50px;"
|style="width:25%; background:{{color|strife}};"|strife<br />{{color|strife}}
|style="width:25%; background:{{color|strife dark}};"|strife dark<br />{{color|strife dark}}
|style="width:25%; background:{{color|strife mid}}; color:{{color|strife dark}};"|strife mid<br />{{color|strife mid}}
|style="width:25%; background:{{color|strife light}}; color:{{color|strife dark}};"|strife light<br />{{color|strife light}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; color:black;"
|-style="min-height:50px"
|style="width:50%; background:{{color|prospit}}; color:black;"|prospit<br />{{color|prospit}}
|style="width:50%; background:{{color|derse}}; color:white;"|derse<br />{{color|derse}}
|-style="min-height:50px"
|style="background:{{color|prospit symbol}}; color:black;"|prospit symbol<br />{{color|prospit symbol}}
|style="background:{{color|derse symbol}}; color:white;"|derse symbol<br />{{color|derse symbol}}
|}<noinclude>[[Category:Template documentation]]</noinclude>
121b942d05279df9c141710b9850ac7ebcd4dc4d
200
190
2023-10-21T08:59:53Z
Onepeachymo
2
wikitext
text/x-wiki
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0;"
|-style="min-height:50px;"
|style="width:12.5%; background:{{color|0}}; color:white;"|0<br />{{color|0}}
|style="width:12.5%; background:{{color|1}}; color:white;"|1<br />{{color|1}}
|style="width:12.5%; background:{{color|2}}; color:white;"|2<br />{{color|2}}
|style="width:12.5%; background:{{color|3}}; color:white;"|3<br />{{color|3}}
|style="width:12.5%; background:{{color|4}}; color:white;"|4<br />{{color|4}}
|style="width:12.5%; background:{{color|5}}; color:black;"|5<br />{{color|5}}
|style="width:12.5%; background:{{color|6}}; color:black;"|6<br />{{color|6}}
|style="width:12.5%; background:{{color|7}}; color:black;"|7<br />{{color|7}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0;"
|-style="min-height:50px;"
|style="width:50%; background:{{color|dcrc black}}; color:white;"|dcrc black<br />{{color|dcrc black}}
|style="width:50%; background:{{color|dcrc white}}; color:black;"|dcrc white<br />{{color|dcrc white}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:white;"
|-style="min-height:50px;"
|style="width: 100%; background:{{color|a1}};"|act1 / a1<br />{{color|a1}}
|-style="min-height:50px;"
|style="width: 100%; background:{{color|i1}};"|intermission1 / i1<br />{{color|i1}}
|-style="min-height:50px;"
|style="width: 100%; background:{{color|a2}};"|act2 / a2<br />{{color|a2}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; border-top: 0; color:white;"
|-style="min-height:50px;"
|style="width: 50%; background:{{color|i2s1}};"|intermission2side1 / i2s1<br />{{color|i2s1}}
|style="width: 50%; background:{{color|i2s2}};"|intermission2side2 / i2s2<br />{{color|i2s2}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; border-top: 0; color:white;"
|-style="min-height:50px;"
|style="width: 100%; background:{{color|a3a1}};"|act3act1 / a3a1<br />{{color|a3a1}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:white;"
|-style="min-height:50px;"
|style="width:25%; background:{{Color|redblood}};" rowspan="1"|redblood<br />{{Color|redblood}}
|style="width:25%; background:{{Color|bronzeblood}};" rowspan="1"|bronzeblood<br />{{Color|bronzeblood}}
|style="width:25%; background:{{Color|cornsyrupblood}};" rowspan="14"|cornsyrupblood / arcjec / thesal / forgiven<br />{{Color|cornsyrupblood}}
|style="width:25%; background:{{Color|yellowblood}};" rowspan="1"|yellowblood<br />{{Color|yellowblood}}
|-style="min-height:50px;"
|style="background:{{Color|scarletblood02}};"|scarletblood02<br />{{Color|scarletblood02}}
|style="background:{{Color|clayblood06}};"|clayblood06 / talald<br />{{Color|clayblood06}}
|style="background:{{Color|goldblood03}};"|goldblood03 / mshiri<br />{{Color|goldblood03}}
|-style="min-height:50px;"
|style="background:{{Color|scarletblood03}};"|scarletblood03 / yeshin<br />{{Color|scarletblood03}}
|style="background:{{Color|clayblood02}};"|clayblood02 / dismas / fomenter<br />{{Color|clayblood02}}
|style="background:{{Color|goldblood08}};"|goldblood08 / medjed<br />{{Color|goldblood08}}
|-style="min-height:50px;"
|style="background:{{Color|scarletblood}};"|scarletblood<br />{{Color|scarletblood}}
|style="background:{{Color|clayblood}};"|clayblood<br />{{Color|clayblood}}
|style="background:{{Color|goldblood09}};"|goldblood09 / cul / culium<br />{{Color|goldblood09}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood07}};"|rustblood07 / shiopa<br />{{Color|rustblood07}}
|style="background:{{Color|clayblood05}};"|clayblood05 / rodere<br />{{Color|clayblood05}}
|style="background:{{Color|goldblood07}};"|goldblood07 / vyr / vyrmis<br />{{Color|goldblood07}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood02}};"|rustblood02 / cinare<br />{{Color|rustblood02}}
|style="background:{{Color|clayblood07}};"|clayblood07 / garnie<br />{{Color|clayblood07}}
|style="background:{{Color|mshiri02}};"|mshiri02<br />{{Color|mshiri02}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood03}};"|rustblood03 / valtel<br />{{Color|rustblood03}}
|style="background:{{Color|clayblood04}};"|clayblood04 / husske<br />{{Color|clayblood04}}
|style="background:{{Color|goldblood}};"|goldblood<br />{{Color|goldblood}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood08}};"|rustblood08 / lutzia<br />{{Color|rustblood08}}
|style="background:{{Color|clayblood08}};"|clayblood08 / hemiot<br />{{Color|clayblood08}}
|style="background:{{Color|goldblood06}};"|goldblood06 / vellia<br />{{Color|goldblood06}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood}};"|rustblood<br />{{Color|rustblood}}
|style="background:{{Color|clayblood03}};"|clayblood03<br />{{Color|clayblood03}}
|style="background:{{Color|goldblood02}};"|goldblood02 / lipsen / jentha / mosura / supernova<br />{{Color|goldblood02}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood04}};"|rustblood04 / sovara / sova / annalist<br />{{Color|rustblood04}}
|style="background:{{Color|colablood}};"|colablood<br />{{Color|colablood}}
|style="background:{{Color|goldblood05}};"|goldblood05 / hayyan<br />{{Color|goldblood05}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood05}};"|rustblood05 / racren<br />{{Color|rustblood05}}
|style="background:{{Color|umberblood03}};"|umberblood03 / unknown<br />{{Color|umberblood03}}
|style="background:{{Color|goldblood04}};"|goldblood04 / sabine<br />{{Color|goldblood04}}
|-style="min-height:50px;"
|style="background:{{Color|rustblood06}};"|rustblood06 / cepros<br />{{Color|rustblood06}}
|style="background:{{Color|umberblood}};"|umberblood<br />{{Color|umberblood}}
|style="background:{{Color|mustardblood}};"|mustardblood<br />{{Color|mustardblood}}
|-style="min-height:50px;"
|style="background:{{Color|maroonblood}};"|maroonblood<br />{{Color|maroonblood}}
|style="background:{{Color|umberblood02}};"|umberblood02 / degner<br />{{Color|umberblood02}}
|style="background:{{Color|ciderblood}};"|ciderblood<br />{{Color|ciderblood}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-top:0; border-bottom:0; color:white;"
|-style="min-height:50px;"
|style="width:20%; background:{{Color|limeblood}};" rowspan="13"|limeblood / ellsee / zekura / vivifier<br />{{Color|limeblood}}
|style="width:20%; background:{{Color|greenblood}};" rowspan="1"|greenblood<br />{{Color|greenblood}}
|style="width:20%; background:{{Color|jadeblood}};" rowspan="5"|jadeblood<br />{{Color|jadeblood}}
|style="width:20%; background:{{Color|tealblood}};"rowspan="1" |tealblood<br />{{Color|tealblood}}
|style="width:20%; background:{{Color|blueblood}};" rowspan="5"|blueblood<br />{{Color|blueblood}}
|-style="min-height:50px;"
|style="background:{{Color|cloverblood}};"|cloverblood<br />{{Color|cloverblood}}
|style="background:{{Color|cyanblood02}};"|cyanblood02 / femmis<br />{{Color|cyanblood02}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood04}};"|oliveblood04 / sirage<br />{{Color|oliveblood04}}
|style="background:{{Color|cyanblood}};"|cyanblood<br />{{Color|cyanblood}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood}};"|oliveblood<br />{{Color|oliveblood}}
|style="background:{{Color|cyanblood03}};"|cyanblood03 / turnin<br />{{Color|cyanblood03}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood05}};"|oliveblood05 / mekris<br />{{Color|oliveblood05}}
|style="background:{{Color|turquoiseblood04}};"|turquoiseblood04 / serpaz / bohemian<br />{{Color|turquoiseblood04}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood02}};"|oliveblood02 / albion / cyprim / exemplar<br />{{Color|oliveblood02}}
|style="background:{{Color|fernblood}};"|fernblood<br />{{Color|fernblood}}
|style="background:{{Color|turquoiseblood05}};"|turquoiseblood05 / helica<br />{{Color|turquoiseblood05}}
|style="background:{{Color|aegeanblood04}};"|aegeanblood04 / kimosh<br />{{Color|aegeanblood04}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood06}};"|oliveblood06 / pascal<br />{{Color|oliveblood06}}
|style="background:{{Color|viridianblood04}};"|viridianblood04 / gerbat<br />{{Color|viridianblood04}}
|style="background:{{Color|turquoiseblood02}};"|turquoiseblood02 / secily / arcamu / commandant<br />{{Color|turquoiseblood02}}
|style="background:{{Color|aegeanblood}};"|aegeanblood<br />{{Color|aegeanblood}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood07}};"|oliveblood07 / linole<br />{{Color|oliveblood07}}
|style="background:{{Color|viridianblood}};"|viridianblood<br />{{Color|viridianblood}}
|style="background:{{Color|turquoiseblood06}};"|turquoiseblood06 / alcest<br />{{Color|turquoiseblood06}}
|style="background:{{Color|aegeanblood02}};"|aegeanblood02 / bytcon<br />{{Color|aegeanblood02}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood03}};"|oliveblood03 / noxious / aumtzi<br />{{Color|oliveblood03}}
|style="background:{{Color|viridianblood05}};"|viridianblood05 / cepora<br />{{Color|viridianblood05}}
|style="background:{{Color|turquoiseblood}};"|turquoiseblood<br />{{Color|turquoiseblood}}
|style="background:{{Color|cobaltblood02}};"|cobaltblood02 / laivan / jagerman<br />{{Color|cobaltblood02}}
|-style="min-height:50px;"
|style="background:{{Color|oliveblood08}};"|oliveblood08<br />{{Color|oliveblood08}}
|style="background:{{Color|viridianblood03}};"|viridianblood03 / glomer<br />{{Color|viridianblood03}}
|style="background:{{Color|turquoiseblood03}};"|turquoiseblood03 / crytum<br />{{Color|turquoiseblood03}}
|style="background:{{Color|cobaltblood03}};"|cobaltblood03 / necron<br />{{Color|cobaltblood03}}
|-style="min-height:50px;"
|style="background:{{Color|pineblood02}};"|pineblood02 / raurou<br />{{Color|pineblood02}}
|style="background:{{Color|viridianblood02}};"|viridianblood02 / hamifi<br />{{Color|viridianblood02}}
|style="background:{{Color|cyprusblood02}};"|cyprusblood02 / aislin<br />{{Color|cyprusblood02}}
|style="background:{{Color|cobaltblood}};"|cobaltblood<br />{{Color|cobaltblood}}
|-style="min-height:50px;"
|style="background:{{Color|pineblood}};"|pineblood<br />{{Color|pineblood}}
|style="background:{{Color|viridianblood06}};"|viridianblood06 / principal<br />{{Color|viridianblood06}}
|style="background:{{Color|cyprusblood}};"|cyprusblood<br />{{Color|cyprusblood}}
|style="background:{{Color|cobaltblood04}};"|cobaltblood04 / iderra<br />{{Color|cobaltblood04}}
|-style="min-height:50px;"
|style="background:{{Color|pineblood03}};"|pineblood03 / tenemi<br />{{Color|pineblood03}}
|style="background:{{Color|mossblood}};"|mossblood<br />{{Color|mossblood}}
|style="background:{{Color|cyprusblood03}};"|cyprusblood03 / cadlys<br />{{Color|cyprusblood03}}
|style="background:{{Color|prussianblood}};"|prussianblood<br />{{Color|prussianblood}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-top:0; border-bottom:0; color:white;"
|-style="min-height:50px;"
|style="width:25%; background:{{Color|indigoblood}};" rowspan="9"|indigoblood<br />{{Color|indigoblood}}
|style="width:25%; background:{{Color|purpleblood}};" rowspan="1"|purpleblood<br />{{Color|purpleblood}}
|style="width:25%; background:{{Color|violetblood}};" rowspan="10"|violetblood<br />{{Color|violetblood}}
|style="width:25%; background:{{Color|fuchsiablood}};" rowspan="14"|fuchsiablood<br />{{Color|fuchsiablood}}
|-style="min-height:50px;"
|style="background:{{Color|amethystblood02}};"|amethystblood02 / cretas<br />{{Color|amethystblood02}}
|-style="min-height:50px;"
|style="background:{{Color|amethystblood}};"|amethystblood<br />{{Color|amethystblood}}
|-style="min-height:50px;"
|style="background:{{Color|amethystblood03}};"|amethystblood03 / roxett<br />{{Color|amethystblood03}}
|-style="min-height:50px;"
|style="background:{{Color|jamblood08}};"|jamblood08 / gingou<br />{{Color|jamblood08}}
|-style="min-height:50px;"
|style="background:{{Color|jamblood09}};"|jamblood09 / nez / nezrui<br />{{Color|jamblood09}}
|-style="min-height:50px;"
|style="background:{{Color|jamblood05}};"|jamblood05 / keiksi<br />{{Color|jamblood05}}
|-style="min-height:50px;"
|style="background:{{Color|jamblood}};"|jamblood<br />{{Color|jamblood}}
|-style="min-height:50px;"
|style="background:{{Color|jamblood07}};"|jamblood07 / seinru<br />{{Color|jamblood07}}
|-style="min-height:50px;"
|style="background:{{Color|denimblood}};"|denimblood<br />{{Color|denimblood}}
|style="background:{{Color|jamblood02}};"|jamblood02 / tazsia / taz / deadlock<br />{{Color|jamblood02}}
|-style="min-height:50px;"
|style="background:{{Color|navyblood05}};"|navyblood05 / divino<br />{{Color|navyblood05}}
|style="background:{{Color|jamblood04}};"|jamblood04 / endari<br />{{Color|jamblood04}}
|style="background:{{Color|orchidblood}};"|orchidblood<br />{{Color|orchidblood}}
|-style="min-height:50px;"
|style="background:{{Color|navyblood04}};"|navyblood04 / rypite / gascon / bravura<br />{{Color|navyblood04}}
|style="background:{{Color|jamblood03}};"|jamblood03 / sestro / clarud / executive<br />{{Color|jamblood03}}
|style="background:{{Color|magentablood02}};"|magentablood02 / calder / persolus<br />{{Color|magentablood02}}
|-style="min-height:50px;"
|style="background:{{Color|navyblood}};"|navyblood<br />{{Color|navyblood}}
|style="background:{{Color|jamblood06}};"|jamblood06 / vilcus<br />{{Color|jamblood06}}
|style="background:{{Color|magentablood}};"|magentablood<br />{{Color|magentablood}}
|-style="min-height:50px;"
|style="background:{{Color|navyblood02}};"|navyblood02 / occeus / vanguard<br />{{Color|navyblood02}}
|style="background:{{Color|aubergineblood02}};"|aubergineblood02 / edolon<br />{{Color|aubergineblood02}}
|style="background:{{Color|byzantineblood03}};"|byzantineblood03<br />{{Color|byzantineblood03}}
|-style="min-height:50px;"
|style="background:{{Color|navyblood03}};"|navyblood03 / dexous<br />{{Color|navyblood03}}
|style="background:{{Color|aubergineblood03}};"|aubergineblood03 / pozzol<br />{{Color|aubergineblood03}}
|style="background:{{Color|byzantineblood04}};"|byzantineblood04 / oricka<br />{{Color|byzantineblood04}}
|style="background:{{Color|roseblood}};"|roseblood<br />{{Color|roseblood}}
|-style="min-height:50px;"
|style="background:{{Color|midnightblood}};"|midnightblood<br />{{Color|midnightblood}}
|style="background:{{Color|aubergineblood04}};"|aubergineblood04 / neilna<br />{{Color|aubergineblood04}}
|style="background:{{Color|byzantineblood02}};"|byzantineblood02 / murrit / switchem<br />{{Color|byzantineblood02}}
|style="background:{{Color|ceriseblood}};"|ceriseblood<br />{{Color|ceriseblood}}
|-style="min-height:50px;"
|style="background:{{Color|midnightblood02}};"|midnightblood02 / pramen<br />{{Color|midnightblood02}}
|style="background:{{Color|aubergineblood}};"|aubergineblood<br />{{Color|aubergineblood}}
|style="background:{{Color|byzantineblood}};"|byzantineblood<br />{{Color|byzantineblood}}
|style="background:{{Color|wineblood}};"|wineblood<br />{{Color|wineblood}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:white;"
|-style="min-height:50px;""
|style="width:50%; background:{{color|whitenoise}};"|whitenoise<br />{{color|whitenoise}}
|style="width:50%; background:{{color|mimesis}}; color: #000000;"|mimesis<br />{{color|mimesis}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:white;"
|-style="min-height:50px;""
|style="width:33%; background:{{color|haniel}};"|haniel<br />{{color|haniel}}
|style="width:34%; background:{{color|af}};"|af<br />{{color|af}}
|style="width:33%; background:{{color|zehanpuryu}};"|zehanpuryu<br />{{color|zehanpuryu}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-top:0; border-bottom:0; color:white;"
|-style="min-height:50px;""
|style="width:50%; background:{{color|lilith}};"|lilith<br />{{color|lilith}}
|style="width:50%; background:{{color|azbogah}};"|azbogah<br />{{color|azbogah}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-top:0; border-bottom: 0; color:white;"
|-style="min-height:50px;"
|style="width:100%; background:{{color|metatron}};"|metatron<br />{{color|metatron}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:white;"
|-style="min-height:50px;"
|style="width:100%; background:{{color|rogi}};"|rogi<br />{{color|rogi}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; border-top:0; color:white;"
|-style="min-height:50px;"
|style="width:20%; background:{{color|guy}};"|guy<br />{{color|guy}}
|style="width:20%; background:{{color|lady}};"|lady<br />{{color|lady}}
|style="width:20%; background:{{color|bucko}};"|bucko<br />{{color|bucko}}
|style="width:20%; background:{{color|man}};"|man<br />{{color|man}}
|style="width:20%; background:{{color|kid}};"|kid<br />{{color|kid}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; border-top:0; color:white;"
|-style="min-height:50px;"
|style="width:100%; background:{{color|tee hanos}};"|tee hanos<br />{{color|tee hanos}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0;"
|-style="min-height:50px;"
|style="width:16.6%; background:{{color|space}}; color:{{color|space symbol}};"|space<br />{{color|space}}
|style="width:16.6%; background:{{color|mind}}; color:{{color|mind symbol}}"|mind<br />{{color|mind}}
|style="width:16.6%; background:{{color|hope}}; color:{{color|hope symbol}};"|hope<br />{{color|hope}}
|style="width:16.6%; background:{{color|breath}}; color:{{color|breath symbol}};"|breath<br />{{color|breath}}
|style="width:16.6%; background:{{color|life}}; color:{{color|life symbol}};"|life<br />{{color|life}}
|style="width:16.6%; background:{{color|light}}; color:{{color|light symbol}};"|light<br />{{color|light}}
|-style="min-height:50px;"
|style="background:{{color|space symbol}}; color:{{color|space}};"|space symbol<br />{{color|space symbol}}
|style="background:{{color|mind symbol}}; color:{{color|mind}};"|mind symbol<br />{{color|mind symbol}}
|style="background:{{color|hope symbol}}; color:{{color|hope}}"|hope symbol<br />{{color|hope symbol}}
|style="background:{{color|breath symbol}}; color:{{color|breath}};"|breath symbol<br />{{color|breath symbol}}
|style="background:{{color|life symbol}}; color:{{color|life}};"|life symbol<br />{{color|life symbol}}
|style="background:{{color|light symbol}}; color:{{color|light}};"|light symbol<br />{{color|light symbol}}
|-style="min-height:50px;"
|style="width:16.6%; background:{{color|time}}; color:{{color|time symbol}};"|time<br />{{color|time}}
|style="width:16.6%; background:{{color|heart}}; color:{{color|heart symbol}};"|heart<br />{{color|heart}}
|style="width:16.6%; background:{{color|rage}}; color:{{color|rage symbol}};"|rage<br />{{color|rage}}
|style="width:16.6%; background:{{color|blood}}; color:{{color|blood symbol}};"|blood<br />{{color|blood}}
|style="width:16.6%; background:{{color|doom}}; color:{{color|doom symbol}};"|doom<br />{{color|doom}}
|style="width:16.6%; background:{{color|void}}; color:{{color|void symbol}};"|void<br />{{color|void}}
|-style="min-height:50px;"
|style="background:{{color|time symbol}}; color:{{color|time}};"|time symbol<br />{{color|time symbol}}
|style="background:{{color|heart symbol}}; color:{{color|heart}};"|heart symbol<br />{{color|heart symbol}}
|style="background:{{color|rage symbol}}; color:{{color|rage}};"|rage symbol<br />{{color|rage symbol}}
|style="background:{{color|blood symbol}}; color:{{color|blood}};"|blood symbol<br />{{color|blood symbol}}
|style="background:{{color|doom symbol}}; color:{{color|doom}};"|doom symbol<br />{{color|doom symbol}}
|style="background:{{color|void symbol}}; color:{{color|void}};"|void symbol<br />{{color|void symbol}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:{{color|white}};"
|-style="min-height:50px;"
|style="width:25%; background:{{color|flushed}};"|flushed<br />{{color|flushed}}
|style="width:25%; background:{{color|caliginous}};"|caliginous<br />{{color|caliginous}}
|style="width:25%; background:{{color|pale}};"|pale<br />{{color|pale}}
|style="width:25%; background:{{color|ashen}};"|ashen<br />{{color|ashen}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; border-bottom:0; color:{{color|strife light}};"
|-style="min-height:50px;"
|style="width:25%; background:{{color|strife}};"|strife<br />{{color|strife}}
|style="width:25%; background:{{color|strife dark}};"|strife dark<br />{{color|strife dark}}
|style="width:25%; background:{{color|strife mid}}; color:{{color|strife dark}};"|strife mid<br />{{color|strife mid}}
|style="width:25%; background:{{color|strife light}}; color:{{color|strife dark}};"|strife light<br />{{color|strife light}}
|}
{|cellspacing="0" style="width:100%; font-weight:bold; text-align:center; border:5px solid #202020; color:black;"
|-style="min-height:50px"
|style="width:50%; background:{{color|prospit}}; color:black;"|prospit<br />{{color|prospit}}
|style="width:50%; background:{{color|derse}}; color:white;"|derse<br />{{color|derse}}
|-style="min-height:50px"
|style="background:{{color|prospit symbol}}; color:black;"|prospit symbol<br />{{color|prospit symbol}}
|style="background:{{color|derse symbol}}; color:white;"|derse symbol<br />{{color|derse symbol}}
|}<noinclude>[[Category:Template documentation]]</noinclude>
b1a8595b4a40558d793d12dfb4c328555e35e4b4
Template:Character Infobox
10
40
193
142
2023-10-21T08:46:46Z
Onepeachymo
2
wikitext
text/x-wiki
{{infobox
|width = {{{width|300}}}
|scratch = {{{scratch|}}}
|Box title = {{{name|{{BASEPAGENAME}}}}}
|icon left = {{ #if: {{{symbol|}}}|{{{symbol}}} }}
|icon right = {{ #if: {{{symbol2|}}}|{{{symbol2}}} }}
|icon left pos left = {{{symbol pos left|-6}}}
|icon left pos top = {{{symbol pos top|-6}}}
|icon right pos right = {{{symbol2 pos right|-6}}}
|icon right pos top = {{{symbol2 pos top|-6}}}
|image = {{ #if:{{{image|}}} | File:{{{image}}} | {{ #if:{{{complex|}}} | | File:NoImage.gif }} }}
|image complex = {{ #if:{{{complex|}}}|{{nowrap|{{{complex}}}}} }}
|imagewidth = {{{imagewidth|250}}}
|caption = {{{caption|}}}
|bg-color = {{{bg-color|#E0E0E0}}}
|header =
|label1 = {{ #if: {{{aka|}}}| AKA }}
|info1 = {{{aka}}}
|label2 = {{ #if: {{{title|}}}|[[Mythological Roles|Title]] }}{{ #if: {{{aspect|}}}|[[Aspect|Emanant Aspect]] }}
|info2 = {{ #if: {{{title|}}}|{{{title}}} }}{{ #if: {{{aspect|}}}|{{{aspect}}} }}
|label3 = {{ #if: {{{age|}}}|<abbr title="As of current events of Vast Error.">Age</abbr>|}}
|info3 = {{{age}}}
|label4 = {{#if:{{{gender|{{{genid|}}}}}}|Gender Identity}}
|info4 = {{{gender|{{{genid}}}}}}
|label5 = {{ #if: {{{status|}}}|Status }}
|info5 = {{{status}}}
|label6 = {{ #if: {{{screenname|}}}| [[Skorpe|Screen Name]] }}
|info6 = {{{screenname}}}
|label7 = {{ #if: {{{style|}}}|[[Typing Quirk|Typing Style]] }}
|info7 = {{{style}}}
|label8 = {{ #if: {{{specibus|}}}|[[Strife Deck|Strife Specibi]] }}
|info8 = {{{specibus}}}
|label9 = {{ #if: {{{modus|}}}|[[Sylladex#Fetch Modi|Fetch Modus]] }}
|info9 = {{{modus}}}
|label10 = {{ #if: {{{relations|}}}|Relations }}
|info10 = {{{relations}}}
|label11 = {{ #if: {{{home|}}}|Live(s) in }}
|info11 = {{{home}}}
|label12 = {{ #if: {{{planet|}}}|[[Planets|Planet]] }}
|info12 = {{{planet}}}
|label13 = {{ #if: {{{music|}}}|Music }}
|info13 = {{{music}}}
|label14 =
|info14 = {{navbar|{{{name|{{BASEPAGENAME}}}}}/Infobox|float=right}}
|footer title = {{ #if: {{{skorpelogs|}}}|Chatlogs}}
|footer content = {{ #if: {{{skorpelogs|}}}|{{{skorpelogs}}}}}
}}<noinclude>
{{documentation}}
[[Category:Infobox templates]]
</noinclude>
c22426df9ee6066e734ccd52320c00aed81218fb
205
193
2023-10-21T09:42:52Z
Onepeachymo
2
wikitext
text/x-wiki
{{infobox
|width = {{{width|300}}}
|scratch = {{{scratch|}}}
|Box title = {{{name|{{BASEPAGENAME}}}}}
|icon left = {{ #if: {{{symbol|}}}|{{{symbol}}} }}
|icon right = {{ #if: {{{symbol2|}}}|{{{symbol2}}} }}
|icon left pos left = {{{symbol pos left|-6}}}
|icon left pos top = {{{symbol pos top|-6}}}
|icon right pos right = {{{symbol2 pos right|-6}}}
|icon right pos top = {{{symbol2 pos top|-6}}}
|image = {{ #if:{{{image|}}} | File:{{{image}}} | {{ #if:{{{complex|}}} | | File:NoImage.gif }} }}
|image complex = {{ #if:{{{complex|}}}|{{nowrap|{{{complex}}}}} }}
|imagewidth = {{{imagewidth|250}}}
|caption = {{{caption|}}}
|bg-color = {{{bg-color|#E0E0E0}}}
|header =
|label1 = {{ #if: {{{aka|}}}| AKA }}
|info1 = {{{aka}}}
|label2 = {{ #if: {{{title|}}}|[[Mythological Roles|Title]] }}{{ #if: {{{aspect|}}}|[[Aspect|Emanant Aspect]] }}
|info2 = {{ #if: {{{title|}}}|{{{title}}} }}{{ #if: {{{aspect|}}}|{{{aspect}}} }}
|label3 = {{ #if: {{{age|}}}|<abbr title="As of current events of Vast Error.">Age</abbr>|}}
|info3 = {{{age}}}
|label4 = {{#if:{{{gender|{{{genid|}}}}}}|Gender Identity}}
|info4 = {{{gender|{{{genid}}}}}}
|label5 = {{ #if: {{{status|}}}|Status }}
|info5 = {{{status}}}
|label6 = {{ #if: {{{screenname|}}}| [[Skorpe|Screen Name]] }}
|info6 = {{{screenname}}}
|label7 = {{ #if: {{{style|}}}|[[Typing Quirk|Typing Style]] }}
|info7 = {{{style}}}
|label8 = {{ #if: {{{specibus|}}}|[[Strife Deck|Strife Specibi]] }}
|info8 = {{{specibus}}}
|label9 = {{ #if: {{{modus|}}}|[[Sylladex#Fetch Modi|Fetch Modus]] }}
|info9 = {{{modus}}}
|label10 = {{ #if: {{{relations|}}}|Relations }}
|info10 = {{{relations}}}
|label11 = {{ #if: {{{home|}}}|Live(s) in }}
|info11 = {{{home}}}
|label12 = {{ #if: {{{planet|}}}|[[Planets|Planet]] }}
|info12 = {{{planet}}}
|label13 = {{ #if: {{{likes|}}}| Likes }}
|info13 = {{{likes}}}
|label14 = {{ #if: {{{aka|}}}| Dislikes }}
|info14 = {{{dislikes}}}
|label15 =
|info15 = {{navbar|{{{name|{{BASEPAGENAME}}}}}/Infobox|float=right}}
|footer title = {{ #if: {{{skorpelogs|}}}|Chatlogs}}
|footer content = {{ #if: {{{skorpelogs|}}}|{{{skorpelogs}}}}}
}}<noinclude>
{{documentation}}
[[Category:Infobox templates]]
</noinclude>
af7f416d6b40c5b887db85d5f164b3d8cba035b4
208
205
2023-10-21T10:01:06Z
Onepeachymo
2
wikitext
text/x-wiki
{{infobox
|width = {{{width|300}}}
|scratch = {{{scratch|}}}
|Box title = {{{name|{{BASEPAGENAME}}}}}
|icon left = {{ #if: {{{symbol|}}}|{{{symbol}}} }}
|icon right = {{ #if: {{{symbol2|}}}|{{{symbol2}}} }}
|icon left pos left = {{{symbol pos left|-6}}}
|icon left pos top = {{{symbol pos top|-6}}}
|icon right pos right = {{{symbol2 pos right|-6}}}
|icon right pos top = {{{symbol2 pos top|-6}}}
|image = {{ #if:{{{image|}}} | File:{{{image}}} | {{ #if:{{{complex|}}} | | File:NoImage.gif }} }}
|image complex = {{ #if:{{{complex|}}}|{{nowrap|{{{complex}}}}} }}
|imagewidth = {{{imagewidth|250}}}
|caption = {{{caption|}}}
|bg-color = {{{bg-color|#E0E0E0}}}
|header =
|label1 = {{ #if: {{{aka|}}}| AKA }}
|info1 = {{{aka}}}
|label2 = {{ #if: {{{title|}}}|[[Mythological Roles|Title]] }}{{ #if: {{{aspect|}}}|[[Aspect|Emanant Aspect]] }}
|info2 = {{ #if: {{{title|}}}|{{{title}}} }}{{ #if: {{{aspect|}}}|{{{aspect}}} }}
|label3 = {{ #if: {{{age|}}}|<abbr title="As of current events of Vast Error.">Age</abbr>|}}
|info3 = {{{age}}}
|label4 = {{#if:{{{gender|{{{genid|}}}}}}|Gender Identity}}
|info4 = {{{gender|{{{genid}}}}}}
|label5 = {{ #if: {{{status|}}}|Status }}
|info5 = {{{status}}}
|label6 = {{ #if: {{{screenname|}}}| [[Moonbounce|Screen Name]] }}
|info6 = {{{screenname}}}
|label7 = {{ #if: {{{style|}}}|[[Typing Quirk|Typing Style]] }}
|info7 = {{{style}}}
|label8 = {{ #if: {{{specibus|}}}|[[Strife Deck|Strife Specibi]] }}
|info8 = {{{specibus}}}
|label9 = {{ #if: {{{modus|}}}|[[Sylladex#Fetch Modi|Fetch Modus]] }}
|info9 = {{{modus}}}
|label10 = {{ #if: {{{relations|}}}|Relations }}
|info10 = {{{relations}}}
|label11 = {{ #if: {{{home|}}}|Live(s) in }}
|info11 = {{{home}}}
|label12 = {{ #if: {{{planet|}}}|[[Planets|Planet]] }}
|info12 = {{{planet}}}
|label13 = {{ #if: {{{likes|}}}| Likes }}
|info13 = {{{likes}}}
|label14 = {{ #if: {{{aka|}}}| Dislikes }}
|info14 = {{{dislikes}}}
|label15 =
|info15 = {{navbar|{{{name|{{BASEPAGENAME}}}}}/Infobox|float=right}}
|footer title = {{ #if: {{{skorpelogs|}}}|Chatlogs}}
|footer content = {{ #if: {{{skorpelogs|}}}|{{{skorpelogs}}}}}
}}<noinclude>
{{documentation}}
[[Category:Infobox templates]]
</noinclude>
f1ca56207551f4cecd2321aa72f78990d7eba821
214
208
2023-10-21T10:28:12Z
Onepeachymo
2
wikitext
text/x-wiki
{{infobox
|width = {{{width|300}}}
|scratch = {{{scratch|}}}
|Box title = {{{name|{{BASEPAGENAME}}}}}
|icon left = {{ #if: {{{symbol|}}}|{{{symbol}}} }}
|icon right = {{ #if: {{{symbol2|}}}|{{{symbol2}}} }}
|icon left pos left = {{{symbol pos left|-6}}}
|icon left pos top = {{{symbol pos top|-6}}}
|icon right pos right = {{{symbol2 pos right|-6}}}
|icon right pos top = {{{symbol2 pos top|-6}}}
|image = {{ #if:{{{image|}}} | File:{{{image}}} | {{ #if:{{{complex|}}} | | File:NoImage.gif }} }}
|image complex = {{ #if:{{{complex|}}}|{{nowrap|{{{complex}}}}} }}
|imagewidth = {{{imagewidth|250}}}
|caption = {{{caption|}}}
|bg-color = {{{bg-color|#E0E0E0}}}
|header =
|label1 = {{ #if: {{{aka|}}}| AKA }}
|info1 = {{{aka}}}
|label2 = {{ #if: {{{title|}}}|[[Mythological Roles|Title]] }}{{ #if: {{{aspect|}}}|[[Aspect|Emanant Aspect]] }}
|info2 = {{ #if: {{{title|}}}|{{{title}}} }}{{ #if: {{{aspect|}}}|{{{aspect}}} }}
|label3 = {{ #if: {{{age|}}}|<abbr title="As of current events of Vast Error.">Age</abbr>|}}
|info3 = {{{age}}}
|label4 = {{#if:{{{gender|{{{genid|}}}}}}|Gender Identity}}
|info4 = {{{gender|{{{genid}}}}}}
|label5 = {{ #if: {{{status|}}}|Status }}
|info5 = {{{status}}}
|label6 = {{ #if: {{{screenname|}}}| [[Moonbounce|Screen Name]] }}
|info6 = {{{screenname}}}
|label7 = {{ #if: {{{style|}}}|[[Typing Quirk|Typing Style]] }}
|info7 = {{{style}}}
|label8 = {{ #if: {{{specibus|}}}|[[Strife Deck|Strife Specibi]] }}
|info8 = {{{specibus}}}
|label9 = {{ #if: {{{modus|}}}|[[Sylladex#Fetch Modi|Fetch Modus]] }}
|info9 = {{{modus}}}
|label10 = {{ #if: {{{relations|}}}|Relations }}
|info10 = {{{relations}}}
|label11 = {{ #if: {{{home|}}}|Live(s) in }}
|info11 = {{{home}}}
|label12 = {{ #if: {{{planet|}}}|[[Planets|Planet]] }}
|info12 = {{{planet}}}
|label13 = {{ #if: {{{likes|}}}| Likes }}
|info13 = {{{likes}}}
|label14 = {{ #if: {{{aka|}}}| Dislikes }}
|info14 = {{{dislikes}}}
|label15 = {{ #if: {{{creator|}}}| Creator }}
|info15 = {{{creator}}}
|label16 =
|info16 = {{navbar|{{{name|{{BASEPAGENAME}}}}}/Infobox|float=right}}
|footer title = {{ #if: {{{skorpelogs|}}}|Chatlogs}}
|footer content = {{ #if: {{{skorpelogs|}}}|{{{skorpelogs}}}}}
}}<noinclude>
{{documentation}}
[[Category:Infobox templates]]
</noinclude>
fd3554f61184fa9b9539ab3feefd10544b79e9b8
File:Calflag.png
6
65
195
2023-10-21T08:49:06Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Template:Classpect
10
46
197
148
2023-10-21T08:56:53Z
Onepeachymo
2
wikitext
text/x-wiki
{{#switch: {{{1}}}
|Time={{#vardefine:aspectfg|time symbol}}{{#vardefine:aspectbg|time}}
|Space={{#vardefine:aspectfg|space symbol}}{{#vardefine:aspectbg|space}}
|Breath={{#vardefine:aspectfg|breath symbol}}{{#vardefine:aspectbg|breath}}
|Blood={{#vardefine:aspectfg|blood symbol}}{{#vardefine:aspectbg|blood}}
|Doom={{#vardefine:aspectfg|doom symbol}}{{#vardefine:aspectbg|doom}}
|Life={{#vardefine:aspectfg|life symbol}}{{#vardefine:aspectbg|life}}
|Heart={{#vardefine:aspectfg|heart symbol}}{{#vardefine:aspectbg|heart}}
|Mind={{#vardefine:aspectfg|mind symbol}}{{#vardefine:aspectbg|mind}}
|Light={{#vardefine:aspectfg|light symbol}}{{#vardefine:aspectbg|light}}
|Void={{#vardefine:aspectfg|void symbol}}{{#vardefine:aspectbg|void}}
|Hope={{#vardefine:aspectfg|hope symbol}}{{#vardefine:aspectbg|hope}}
|Rage={{#vardefine:aspectfg|rage symbol}}{{#vardefine:aspectbg|rage}}
|{{#vardefine:aspectfg|White}}{{#vardefine:aspectbg|Black}}
}}
<span style="font-size:14px;font-family:Courier New, Courier, Consolas, Lucida Console; color:{{Color|{{#var:aspectfg}}}}; font-weight: bold;
text-shadow: -1px 0 0 #000,
0 1px 0 #000,
1px 0 0 #000,
0 -1px 0 #000,
-3px 0 3px {{Color|{{#var:aspectbg}}}},
0 -3px 3px {{Color|{{#var:aspectbg}}}},
3px 0 3px {{Color|{{#var:aspectbg}}}},
0 3px 3px {{Color|{{#var:aspectbg}}}};">{{#if:{{{2|}}}|{{{2}}} of |}}{{{1}}}</span>
8a9daa74d221be3fd1ec1e0cd0cd9f2d4aa92a47
199
197
2023-10-21T08:58:59Z
Onepeachymo
2
wikitext
text/x-wiki
{{#switch: {{{1}}}
|Time={{#vardefine:aspectfg|Time symbol}}{{#vardefine:aspectbg|Time}}
|Space={{#vardefine:aspectfg|Space symbol}}{{#vardefine:aspectbg|Space}}
|Breath={{#vardefine:aspectfg|Breath symbol}}{{#vardefine:aspectbg|Breath}}
|Blood={{#vardefine:aspectfg|Blood symbol}}{{#vardefine:aspectbg|Blood}}
|Doom={{#vardefine:aspectfg|Doom symbol}}{{#vardefine:aspectbg|Doom}}
|Life={{#vardefine:aspectfg|Life symbol}}{{#vardefine:aspectbg|Life}}
|Heart={{#vardefine:aspectfg|Heart symbol}}{{#vardefine:aspectbg|Heart}}
|Mind={{#vardefine:aspectfg|Mind symbol}}{{#vardefine:aspectbg|Mind}}
|Light={{#vardefine:aspectfg|Light symbol}}{{#vardefine:aspectbg|Light}}
|Void={{#vardefine:aspectfg|Void symbol}}{{#vardefine:aspectbg|Void}}
|Hope={{#vardefine:aspectfg|Hope symbol}}{{#vardefine:aspectbg|Hope}}
|Rage={{#vardefine:aspectfg|Rage symbol}}{{#vardefine:aspectbg|Rage}}
|{{#vardefine:aspectfg|White}}{{#vardefine:aspectbg|Black}}
}}
<span style="font-size:14px;font-family:Courier New, Courier, Consolas, Lucida Console; color:{{Color|{{#var:aspectfg}}}}; font-weight: bold;
text-shadow: -1px 0 0 #000,
0 1px 0 #000,
1px 0 0 #000,
0 -1px 0 #000,
-3px 0 3px {{Color|{{#var:aspectbg}}}},
0 -3px 3px {{Color|{{#var:aspectbg}}}},
3px 0 3px {{Color|{{#var:aspectbg}}}},
0 3px 3px {{Color|{{#var:aspectbg}}}};">{{#if:{{{2|}}}|{{{2}}} of |}}{{{1}}}</span>
5d6208472bfe028e87a1dcb810bfd12ee016cf29
Looksi Gumshu/Infobox
0
35
209
138
2023-10-21T10:14:37Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:CharactersSign.png|32px]]
|symbol2 = [[File:Aspect_CharactersAspect.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Aspect|Class}}
|age = {{Age|CharactersAgeinSweeps}}
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
d45d168a3df2aed4079daf47effb36958e5f44e7
216
209
2023-10-21T10:29:57Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:CharactersSign.png|32px]]
|symbol2 = [[File:Aspect_CharactersAspect.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Aspect|Class}}
|age = {{Age|CharactersAgeinSweeps}}
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
c628c89b8d8c04c6732592af16c8ef30580b5830
Yupinh/Infobox
0
37
210
136
2023-10-21T10:14:40Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:CharactersSign.png|32px]]
|symbol2 = [[File:Aspect_CharactersAspect.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Aspect|Class}}
|age = {{Age|CharactersAgeinSweeps}}
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
d45d168a3df2aed4079daf47effb36958e5f44e7
212
210
2023-10-21T10:23:22Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:CharactersSign.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = [[File:Yupinh.png]]
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Aspect|Class}}
|age = {{Age|CharactersAgeinSweeps}}
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
d04f8a98ae9f813b4c7990698fbba5c94b70af80
217
212
2023-10-21T10:30:01Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:CharactersSign.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = [[File:Yupinh.png]]
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Aspect|Class}}
|age = {{Age|CharactersAgeinSweeps}}
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
7805391903d576ee0d803176712ebd2e043afec0
Yupinh
0
28
211
134
2023-10-21T10:22:44Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a [ttps://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132 wayneradiotv Youtube video]. Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh's current quirk follows a consistent ruleset:
**[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
**'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
**''Italic words'' are adjectives and adverbs.
** *wordz inn ass ter isks* are misspelled.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is peachy's favorite Yupinh moment.
***Yupinh is aware of peachy, and aware that this is their favorite Yupinh moment. When asked how Yupinh felt about this, it offered [No Comment].
==Gallery==
<gallery widths=300px heights=200px>
File:Yupinh.png|Yupinh's original sprite.
File:Get-it-yupinh.gif|GET IT YUPINH
File:Real slim shady.png|Yupinh smoking weed with a troll legend (not canon).
File:Ps1-hagrid.jpg|"i PAINTED this [When We Were Young]"
</gallery>
b5c537bb22a75a8721f676dc650f18b49b2b96fa
File:Yupinh.png
6
29
213
111
2023-10-21T10:24:12Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Yupinh.png]]
wikitext
text/x-wiki
== Summary ==
Yupinh's original sprite.
a9c1d91c9c74ac4e8970f798d5528e04ebad3788
User:Onepeachymo
2
66
218
2023-10-21T10:34:26Z
Onepeachymo
2
Created page with "onepeachymo is a really cool guy. theyre created many creatures, such as : [[Calico Drayke|calico drayke]] [[Anicca Shivuh|anicca shivuh]] [[Salang Lyubov|salang lyubov]] ?????? (ghostLight) and a whole bunch of pirates"
wikitext
text/x-wiki
onepeachymo is a really cool guy.
theyre created many creatures, such as :
[[Calico Drayke|calico drayke]]
[[Anicca Shivuh|anicca shivuh]]
[[Salang Lyubov|salang lyubov]]
?????? (ghostLight)
and a whole bunch of pirates
d019f799c865ebddf6f25ae3e8624384cd9934f3
219
218
2023-10-21T10:34:39Z
Onepeachymo
2
wikitext
text/x-wiki
onepeachymo is a really cool guy.
theyre created many creatures, such as :
[[Calico Drayke|calico drayke]]
[[Anicca Shivuh|anicca shivuh]]
[[Salang Lyubov|salang lyubov]]
?????? (ghostLight)
and a whole bunch of pirates
0c98c05fac31346108991b4d7f81dfd19077f484
220
219
2023-10-21T10:35:00Z
Onepeachymo
2
wikitext
text/x-wiki
onepeachymo is a really cool guy.
theyve created many creatures, such as :
[[Calico Drayke|calico drayke]]
[[Anicca Shivuh|anicca shivuh]]
[[Salang Lyubov|salang lyubov]]
?????? (ghostLight)
and a whole bunch of pirates
8628d1f73759403117790d5ea1dee1100c4fad92
Template:Navbar
10
71
226
2023-10-21T11:03:05Z
Onepeachymo
2
Created page with "<span style="position: absolute; {{{float|left}}}: 3px; margin-left:3px; margin-top:3px; font-size:.75em;">'''<span title="View this template">[[{{{1<noinclude>|Template:Navbar</noinclude>}}}|v]]</span>'''·'''<span title="Discuss this template">[[{{TALKPAGENAME:{{{1<noinclude>|Template:Navbar</noinclude>}}}}}|d]]</span>'''·'''<span class="plainlinks" title="Edit this template">[{{fullurl:{{{1<noinclude>|Template:Navbar</noinclude>}}}|action=edit}} e]</span></span><noin..."
wikitext
text/x-wiki
<span style="position: absolute; {{{float|left}}}: 3px; margin-left:3px; margin-top:3px; font-size:.75em;">'''<span title="View this template">[[{{{1<noinclude>|Template:Navbar</noinclude>}}}|v]]</span>'''·'''<span title="Discuss this template">[[{{TALKPAGENAME:{{{1<noinclude>|Template:Navbar</noinclude>}}}}}|d]]</span>'''·'''<span class="plainlinks" title="Edit this template">[{{fullurl:{{{1<noinclude>|Template:Navbar</noinclude>}}}|action=edit}} e]</span></span><noinclude>
[[Category:Templates]]
</noinclude>
a5cba420c1584eb0931c9f4cf000a08cfe798d0c
Template:Navbox Trolls
10
72
227
2023-10-21T11:04:25Z
Onepeachymo
2
Created page with "{{navbox |title={{clink|Troll|white|Trolls}} |collapsible=yes |content= {{!}}- {{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}} {{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center"> <tr> <td style=..."
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Resolve.png|16px|link=Yeshin Laevis]] {{clink|Yeshin Laevis|yeshin}}</big></td>
<td style="width:25%;"><big>[[File:Calcine.png|16px|link=Cinare Montor]] {{clink|Cinare Montor|cinare}}</big></td>
<td style="width:25%;"><big>[[File:Ashes.png|16px|link=Valtel Gurtea]] {{clink|Valtel Gurtea|valtel}}</big></td>
<td style="width:25%;"><big>[[File:Silver.png|16px|link=The Annalist]] {{clink|The Annalist|sova}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="2" style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; width:100%;"{{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Silver.png|16px|link=Sova Amalie]] {{clink|Sova Amalie|sova}}</big></td>
<td style="width:25%;"><big>[[File:Acid.png|16px|link=Racren Innali]] {{clink|Racren Innali|racren}}</big></td>
<td style="width:25%;"><big>[[File:Metal.png|16px|link=Cepros Xirong]] {{clink|Cepros Xirong|cepros}}</big></td>
<td style="width:25%;"><big>{{clink|Minor_Characters#Nocent_Bystan|black|Nocent Bystan}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Glass.png|16px|link=Talald Hieron]] {{clink|Talald Hieron|talald}}</big></td>
<td style="width:25%;"><big>[[File:Phosphorus.png|16px|link=The Fomenter]] {{clink|The Fomenter|fomentor}}{{Color|black|✝}}</big></td>
<td style="width:25%;"><big>[[File:Phosphorus.png|16px|link=Dismas Mersiv]] {{clink|Dismas Mersiv|dismas}}</big></td>
<td style="width:25%;"><big>{{clink|Minor_Characters#Garnie|garnie|Garnie}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="2" style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; width:100%;"{{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Caduceus.png|16px|link=Rodere]] {{clink|Rodere|rodere}}</big></td>
<td style="width:34%;"><big>[[File:Arsenic.png|16px|link=Husske Mayzee]] {{clink|Husske Mayzee|husske}}</big></td>
<td style="width:33%;"><big>[[File:Lye.png|16px|link=Degner Veibod]] {{clink|Degner Veibod|degner}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="3" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Sand_Sigil.png|16px|link=Mshiri Libeta]] {{clink|Mshiri Libeta|mshiri02}}</big></td>
<td style="width:34%;"><big>[[File:Spirit.png|16px|link=Minor Characters#Vyr Sturra]] {{clink|Minor Characters#Vyr Sturra|vyr|Vyr Sturra}}</big></td>
<td style="width:33%;"><big>[[File:Vinegar.png|16px|link=Vellia]] {{clink|Vellia|vellia}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="2" style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; width:100%;"{{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Tin.png|16px|link=Mosura Briati]] {{clink|Mosura Briati|supernova|Mosura Briati<br /><small>(The Supernova)</small>}}{{Color|black|✝}}</big></td>
<td style="width:34%;"><big>[[File:Tin.png|16px|link=Jentha Briati]] {{clink|Jentha Briati|jentha}}</big></td>
<td style="width:33%;"><big>[[File:Borax.png|16px|link=Lipsen Fluxum]] {{clink|Minor Characters#Lipsen Fluxum|lipsen|Lipsen Fluxum}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="2" style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; width:100%;"{{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Cuprum_Arsenicatum.png|16px|link=Hayyan Refero]] {{clink|Hayyan Refero|hayyan}}</big></td>
<td style="width:34%;"><big>[[File:Reverberation.png|16px|link=Sabine Berare]] {{clink|Sabine Berare|sabine}}</big></td>
<td style="width:33%;"><big>{{clink|Minor Characters#Notrel Evantt|black|Notrel Evantt}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Filter.png|16px|link=Sirage Feltri]] {{clink|Sirage Feltri|sirage}}</big></td>
<td style="width:25%;"><big>[[File:Soap.png|16px|link=Mekris]] {{clink|Minor Characters#Mekris|mekris|Mekris}}</big></td>
<td style="width:25%;"><big>[[File:Copper.png|16px|link=Cyprim Shukra]] {{clink|Cyprim Shukra|exemplar|Cyprim Shukra<br /><small>(The Exemplar)</small>}}{{Color|black|✝}}</big></td>
<td style="width:25%;"><big>[[File:Copper.png|16px|link=Albion Shukra]] {{clink|Albion Shukra|albion}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>{{clink|Pascal|pascal}}</big></td>
<td style="width:25%;"><big>{{clink|Minor Characters#Linole Pomace|linole|Linole Pomace}}</big></td>
<td style="width:25%;"><big>[[File:Dissolve.png|16px|link=Aumtzi Maught]] {{clink|Aumtzi Maught|aumtzi}}</big></td>
<td style="width:25%;"><big>[[File:Vitriol.png|16px|link=Raurou Dersal]] {{clink|Raurou Dersal|raurou}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Herb.png|16px|link=Gerbat Batrav]] {{clink|Gerbat Batrav|gerbat}}</big></td>
<td style="width:25%;"><big>[[File:Distill.png|16px|link=Glomer Hicner]] {{clink|Glomer Hicner|glomer}}</big></td>
<td style="width:25%;"><big>{{clink|Minor Characters#Cepora|cepora|Cepora}}</big></td>
<td style="width:25%;"><big>[[File:Precipitation.png|16px|link=Hamifi Hekrix]] {{clink|Hamifi Hekrix|hamifi}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Digest.png|16px|link=Turnin Kaikai]] {{clink|Turnin Kaikai|turnin}}</big></td>
<td style="width:34%;"><big>[[File:Gold.png|16px|link=Serpaz Helilo]] {{clink|Serpaz Helilo|serpaz}}</big></td>
<td style="width:33%;"><big>[[File:Talc.png|16px|link=Arcamu Iopara]] {{clink|Arcamu Iopara|arcamu}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="2" style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; width:100%;"{{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Talc.png|16px|link=Secily Iopara]] {{clink|Secily Iopara|secily}}{{Color|black|✝}}</big></td>
<td style="width:25%;"><big>[[File:Electrum.png|16px|link=Crytum Lydian]] {{clink|Crytum Lydian|crytum}}</big></td>
<td style="width:25%;"><big>{{clink|Minor Characters#Aislin|aislin|Aislin}}</big></td>
<td style="width:25%;"><big>[[File:Crucible.png|16px|link=Cadlys Rankor]] {{clink|Cadlys Rankor|cadlys}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Take.png|16px|link=Bytcon Krypto]] {{clink|Bytcon Krypto|bytcon}}</big></td>
<td style="width:34%;"><big>[[File:Zinc.png|16px|link=The Jagerman]] {{clink|The Jagerman|jagerman}}</big></td>
<td style="width:33%;"><big>[[File:Zinc.png|16px|link=Laivan Ferroo]] {{clink|Laivan Ferroo|laivan}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Death.png|16px|link=Necron Exmort]] {{clink|Necron Exmort|necron}}</big></td>
<td style="width:50%;"><big>{{clink|Minor Characters#Iderra|iderra|Iderra}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Nickel.png|16px|link=Minor Characters#Divino Nikola]] {{clink|Minor Characters#Divino Nikola|divino|Divino Nikola}}</big></td>
<td style="width:50%;"><big>[[File:Iron_Pyrite.png|16px|link=Rypite Koldan]] {{clink|Rypite Koldan|rypite}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Sulfur.png|16px|link=Occeus Coliad]] {{clink|Occeus Coliad|occeus}}</big></td>
<td style="width:50%;"><big>{{clink|Dexous|dexous}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="4" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Clay.png|16px|link=Cretas Mglina]] {{clink|Cretas Mglina|cretas}}</big></td>
<td style="width:25%;"><big>{{clink|Gingou Disone|gingou}}</big></td>
<td style="width:25%;"><big>[[File:Steel.png|16px|link=Nezrui Rigida]] {{clink|Nezrui Rigida|nez}}</big></td>
<td style="width:25%;"><big>{{clink|Keiksi Ezlilu|keiksi}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Fusion.png|16px|link=Seinru Narako]] {{clink|Seinru Narako|seinru}}{{Color|black|✝}}</big></td>
<td style="width:25%;"><big>[[File:Platinum.png|16px|link=Fortmistress Deadlock]] {{clink|Fortmistress Deadlock|deadlock}}{{Color|black|✝}}</big></td>
<td style="width:25%;"><big>[[File:Platinum.png|16px|link=Tazsia Poemme]] {{clink|Tazsia Poemme|tazsia}}</big></td>
<td style="width:25%;"><big>[[File:Ammonia.png|16px|link=Endari Vernir]] {{clink|Endari Vernir|endari}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Sublimation.png|16px|link=Clarud Enthal]] {{clink|Clarud Enthal|clarud|Clarud Enthal<br /><small>(The Executive)</small>}}{{Color|black|✝}}</big></td>
<td style="width:34%;"><big>[[File:Sublimation.png|16px|link=Sestro Enthal]] {{clink|Sestro Enthal|sestro}}</big></td>
<td style="width:33%;"><big>[[File:Hot Fire.png|16px|link=Vilcus Cendum]] {{clink|Vilcus Cendum|vilcus}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Purification.png|16px|link=Edolon Vryche]] {{clink|Edolon Vryche|edolon}}</big></td>
<td style="width:34%;"><big>[[File:Pulverize.png|16px|link=Pozzol Broyer]] {{clink|Pozzol Broyer|pozzol}}</big></td>
<td style="width:33%;"><big>{{clink|Neilna Uldiaz|neilna}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Iron.png|16px|link=Caesar Consceleratus Persolus]]{{clink|Caesar Consceleratus Persolus|persolus}}{{Color|black|✝}}</big></td>
<td style="width:50%;"><big>[[File:Iron.png|16px|link=Calder Kerian]]{{clink|Calder Kerian|calder}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Brass.png|16px|link=Oricka Rourst]] {{clink|Oricka Rourst|oricka}}</big></td>
<td style="width:34%;><big>[[File:Lead.png|16px|link=Acerigger Switchem]] {{clink|Acerigger Switchem|switchem}}{{Color|black|✝}}</big></td>
<td style="width:33%;"><big>[[File:Lead.png|16px|link=Murrit Turkin]] {{clink|Murrit Turkin|murrit}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%; color:{{color|black}}"> </td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Magnesium.png|16px|link=Thesal Voorat]] {{clink|Thesal Voorat|thesal|Thesal Voorat<br /><small>(The Unknown/The Forgiven)</small>}}{{Color|black|✝}}</big></td>
<td style="width:34%;"><big>[[File:Magnesium.png|16px|link=Arcjec Voorat]] {{clink|Arcjec Voorat|arcjec}}</big></td>
<td style="width:33%;"><big>[[File:Mercury.png|16px|link=Zekura Raines]] {{clink|Zekura Raines|zekura|Zekura Raines<br /><small>(The Vivifier)</small>}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Mercury.png|16px|link=Ellsee Raines]] {{clink|Ellsee Raines|ellsee}}</big></td>
<td style="width:34%;"><big>{{clink|Ahlina Robiad|black|Ahlina Robiad}}{{Color|black|✝}}</big></td>
<td style="width:33%;"><big>[[File:Corpus Black.png|16px|link=Weird Al]] [[Weird Al|{{Color|black|W}}{{Color|red|e}}{{Color|black|i}}{{Color|red|r}}{{Color|black|d}} {{Color|red|A}}{{Color|black|l}}]]</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
dfeb0b25949df78a1ad8e999d3d83a18e945ce0a
235
227
2023-10-21T11:15:42Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Glass.png|16px|link=Talald Hieron]] {{clink|Talald Hieron|talald}}</big></td>
<td style="width:25%;"><big>[[File:Phosphorus.png|16px|link=The Fomenter]] {{clink|The Fomenter|fomentor}}{{Color|black|✝}}</big></td>
<td style="width:25%;"><big>[[File:Phosphorus.png|16px|link=Dismas Mersiv]] {{clink|Dismas Mersiv|dismas}}</big></td>
<td style="width:25%;"><big>{{clink|Minor_Characters#Garnie|garnie|Garnie}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="2" style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; width:100%;"{{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Caduceus.png|16px|link=Rodere]] {{clink|Rodere|rodere}}</big></td>
<td style="width:34%;"><big>[[File:Arsenic.png|16px|link=Husske Mayzee]] {{clink|Husske Mayzee|husske}}</big></td>
<td style="width:33%;"><big>[[File:Lye.png|16px|link=Degner Veibod]] {{clink|Degner Veibod|degner}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="3" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Sand_Sigil.png|16px|link=Mshiri Libeta]] {{clink|Mshiri Libeta|mshiri02}}</big></td>
<td style="width:34%;"><big>[[File:Spirit.png|16px|link=Minor Characters#Vyr Sturra]] {{clink|Minor Characters#Vyr Sturra|vyr|Vyr Sturra}}</big></td>
<td style="width:33%;"><big>[[File:Vinegar.png|16px|link=Vellia]] {{clink|Vellia|vellia}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="2" style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; width:100%;"{{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Tin.png|16px|link=Mosura Briati]] {{clink|Mosura Briati|supernova|Mosura Briati<br /><small>(The Supernova)</small>}}{{Color|black|✝}}</big></td>
<td style="width:34%;"><big>[[File:Tin.png|16px|link=Jentha Briati]] {{clink|Jentha Briati|jentha}}</big></td>
<td style="width:33%;"><big>[[File:Borax.png|16px|link=Lipsen Fluxum]] {{clink|Minor Characters#Lipsen Fluxum|lipsen|Lipsen Fluxum}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="2" style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; width:100%;"{{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Cuprum_Arsenicatum.png|16px|link=Hayyan Refero]] {{clink|Hayyan Refero|hayyan}}</big></td>
<td style="width:34%;"><big>[[File:Reverberation.png|16px|link=Sabine Berare]] {{clink|Sabine Berare|sabine}}</big></td>
<td style="width:33%;"><big>{{clink|Minor Characters#Notrel Evantt|black|Notrel Evantt}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Filter.png|16px|link=Sirage Feltri]] {{clink|Sirage Feltri|sirage}}</big></td>
<td style="width:25%;"><big>[[File:Soap.png|16px|link=Mekris]] {{clink|Minor Characters#Mekris|mekris|Mekris}}</big></td>
<td style="width:25%;"><big>[[File:Copper.png|16px|link=Cyprim Shukra]] {{clink|Cyprim Shukra|exemplar|Cyprim Shukra<br /><small>(The Exemplar)</small>}}{{Color|black|✝}}</big></td>
<td style="width:25%;"><big>[[File:Copper.png|16px|link=Albion Shukra]] {{clink|Albion Shukra|albion}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>{{clink|Pascal|pascal}}</big></td>
<td style="width:25%;"><big>{{clink|Minor Characters#Linole Pomace|linole|Linole Pomace}}</big></td>
<td style="width:25%;"><big>[[File:Dissolve.png|16px|link=Aumtzi Maught]] {{clink|Aumtzi Maught|aumtzi}}</big></td>
<td style="width:25%;"><big>[[File:Vitriol.png|16px|link=Raurou Dersal]] {{clink|Raurou Dersal|raurou}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Herb.png|16px|link=Gerbat Batrav]] {{clink|Gerbat Batrav|gerbat}}</big></td>
<td style="width:25%;"><big>[[File:Distill.png|16px|link=Glomer Hicner]] {{clink|Glomer Hicner|glomer}}</big></td>
<td style="width:25%;"><big>{{clink|Minor Characters#Cepora|cepora|Cepora}}</big></td>
<td style="width:25%;"><big>[[File:Precipitation.png|16px|link=Hamifi Hekrix]] {{clink|Hamifi Hekrix|hamifi}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Digest.png|16px|link=Turnin Kaikai]] {{clink|Turnin Kaikai|turnin}}</big></td>
<td style="width:34%;"><big>[[File:Gold.png|16px|link=Serpaz Helilo]] {{clink|Serpaz Helilo|serpaz}}</big></td>
<td style="width:33%;"><big>[[File:Talc.png|16px|link=Arcamu Iopara]] {{clink|Arcamu Iopara|arcamu}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="2" style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; width:100%;"{{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Talc.png|16px|link=Secily Iopara]] {{clink|Secily Iopara|secily}}{{Color|black|✝}}</big></td>
<td style="width:25%;"><big>[[File:Electrum.png|16px|link=Crytum Lydian]] {{clink|Crytum Lydian|crytum}}</big></td>
<td style="width:25%;"><big>{{clink|Minor Characters#Aislin|aislin|Aislin}}</big></td>
<td style="width:25%;"><big>[[File:Crucible.png|16px|link=Cadlys Rankor]] {{clink|Cadlys Rankor|cadlys}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Take.png|16px|link=Bytcon Krypto]] {{clink|Bytcon Krypto|bytcon}}</big></td>
<td style="width:34%;"><big>[[File:Zinc.png|16px|link=The Jagerman]] {{clink|The Jagerman|jagerman}}</big></td>
<td style="width:33%;"><big>[[File:Zinc.png|16px|link=Laivan Ferroo]] {{clink|Laivan Ferroo|laivan}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Death.png|16px|link=Necron Exmort]] {{clink|Necron Exmort|necron}}</big></td>
<td style="width:50%;"><big>{{clink|Minor Characters#Iderra|iderra|Iderra}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Nickel.png|16px|link=Minor Characters#Divino Nikola]] {{clink|Minor Characters#Divino Nikola|divino|Divino Nikola}}</big></td>
<td style="width:50%;"><big>[[File:Iron_Pyrite.png|16px|link=Rypite Koldan]] {{clink|Rypite Koldan|rypite}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Sulfur.png|16px|link=Occeus Coliad]] {{clink|Occeus Coliad|occeus}}</big></td>
<td style="width:50%;"><big>{{clink|Dexous|dexous}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="4" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Clay.png|16px|link=Cretas Mglina]] {{clink|Cretas Mglina|cretas}}</big></td>
<td style="width:25%;"><big>{{clink|Gingou Disone|gingou}}</big></td>
<td style="width:25%;"><big>[[File:Steel.png|16px|link=Nezrui Rigida]] {{clink|Nezrui Rigida|nez}}</big></td>
<td style="width:25%;"><big>{{clink|Keiksi Ezlilu|keiksi}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Fusion.png|16px|link=Seinru Narako]] {{clink|Seinru Narako|seinru}}{{Color|black|✝}}</big></td>
<td style="width:25%;"><big>[[File:Platinum.png|16px|link=Fortmistress Deadlock]] {{clink|Fortmistress Deadlock|deadlock}}{{Color|black|✝}}</big></td>
<td style="width:25%;"><big>[[File:Platinum.png|16px|link=Tazsia Poemme]] {{clink|Tazsia Poemme|tazsia}}</big></td>
<td style="width:25%;"><big>[[File:Ammonia.png|16px|link=Endari Vernir]] {{clink|Endari Vernir|endari}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Sublimation.png|16px|link=Clarud Enthal]] {{clink|Clarud Enthal|clarud|Clarud Enthal<br /><small>(The Executive)</small>}}{{Color|black|✝}}</big></td>
<td style="width:34%;"><big>[[File:Sublimation.png|16px|link=Sestro Enthal]] {{clink|Sestro Enthal|sestro}}</big></td>
<td style="width:33%;"><big>[[File:Hot Fire.png|16px|link=Vilcus Cendum]] {{clink|Vilcus Cendum|vilcus}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Purification.png|16px|link=Edolon Vryche]] {{clink|Edolon Vryche|edolon}}</big></td>
<td style="width:34%;"><big>[[File:Pulverize.png|16px|link=Pozzol Broyer]] {{clink|Pozzol Broyer|pozzol}}</big></td>
<td style="width:33%;"><big>{{clink|Neilna Uldiaz|neilna}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Iron.png|16px|link=Caesar Consceleratus Persolus]]{{clink|Caesar Consceleratus Persolus|persolus}}{{Color|black|✝}}</big></td>
<td style="width:50%;"><big>[[File:Iron.png|16px|link=Calder Kerian]]{{clink|Calder Kerian|calder}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Brass.png|16px|link=Oricka Rourst]] {{clink|Oricka Rourst|oricka}}</big></td>
<td style="width:34%;><big>[[File:Lead.png|16px|link=Acerigger Switchem]] {{clink|Acerigger Switchem|switchem}}{{Color|black|✝}}</big></td>
<td style="width:33%;"><big>[[File:Lead.png|16px|link=Murrit Turkin]] {{clink|Murrit Turkin|murrit}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%; color:{{color|black}}"> </td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Magnesium.png|16px|link=Thesal Voorat]] {{clink|Thesal Voorat|thesal|Thesal Voorat<br /><small>(The Unknown/The Forgiven)</small>}}{{Color|black|✝}}</big></td>
<td style="width:34%;"><big>[[File:Magnesium.png|16px|link=Arcjec Voorat]] {{clink|Arcjec Voorat|arcjec}}</big></td>
<td style="width:33%;"><big>[[File:Mercury.png|16px|link=Zekura Raines]] {{clink|Zekura Raines|zekura|Zekura Raines<br /><small>(The Vivifier)</small>}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Mercury.png|16px|link=Ellsee Raines]] {{clink|Ellsee Raines|ellsee}}</big></td>
<td style="width:34%;"><big>{{clink|Ahlina Robiad|black|Ahlina Robiad}}{{Color|black|✝}}</big></td>
<td style="width:33%;"><big>[[File:Corpus Black.png|16px|link=Weird Al]] [[Weird Al|{{Color|black|W}}{{Color|red|e}}{{Color|black|i}}{{Color|red|r}}{{Color|black|d}} {{Color|red|A}}{{Color|black|l}}]]</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
7d166377916c96fe04747eca611091f3eee61c1f
236
235
2023-10-21T11:33:02Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:EKG.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Filter.png|16px|link=Sirage Feltri]] {{clink|Sirage Feltri|sirage}}</big></td>
<td style="width:25%;"><big>[[File:Soap.png|16px|link=Mekris]] {{clink|Minor Characters#Mekris|mekris|Mekris}}</big></td>
<td style="width:25%;"><big>[[File:Copper.png|16px|link=Cyprim Shukra]] {{clink|Cyprim Shukra|exemplar|Cyprim Shukra<br /><small>(The Exemplar)</small>}}{{Color|black|✝}}</big></td>
<td style="width:25%;"><big>[[File:Copper.png|16px|link=Albion Shukra]] {{clink|Albion Shukra|albion}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>{{clink|Pascal|pascal}}</big></td>
<td style="width:25%;"><big>{{clink|Minor Characters#Linole Pomace|linole|Linole Pomace}}</big></td>
<td style="width:25%;"><big>[[File:Dissolve.png|16px|link=Aumtzi Maught]] {{clink|Aumtzi Maught|aumtzi}}</big></td>
<td style="width:25%;"><big>[[File:Vitriol.png|16px|link=Raurou Dersal]] {{clink|Raurou Dersal|raurou}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Herb.png|16px|link=Gerbat Batrav]] {{clink|Gerbat Batrav|gerbat}}</big></td>
<td style="width:25%;"><big>[[File:Distill.png|16px|link=Glomer Hicner]] {{clink|Glomer Hicner|glomer}}</big></td>
<td style="width:25%;"><big>{{clink|Minor Characters#Cepora|cepora|Cepora}}</big></td>
<td style="width:25%;"><big>[[File:Precipitation.png|16px|link=Hamifi Hekrix]] {{clink|Hamifi Hekrix|hamifi}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Digest.png|16px|link=Turnin Kaikai]] {{clink|Turnin Kaikai|turnin}}</big></td>
<td style="width:34%;"><big>[[File:Gold.png|16px|link=Serpaz Helilo]] {{clink|Serpaz Helilo|serpaz}}</big></td>
<td style="width:33%;"><big>[[File:Talc.png|16px|link=Arcamu Iopara]] {{clink|Arcamu Iopara|arcamu}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="2" style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; width:100%;"{{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Talc.png|16px|link=Secily Iopara]] {{clink|Secily Iopara|secily}}{{Color|black|✝}}</big></td>
<td style="width:25%;"><big>[[File:Electrum.png|16px|link=Crytum Lydian]] {{clink|Crytum Lydian|crytum}}</big></td>
<td style="width:25%;"><big>{{clink|Minor Characters#Aislin|aislin|Aislin}}</big></td>
<td style="width:25%;"><big>[[File:Crucible.png|16px|link=Cadlys Rankor]] {{clink|Cadlys Rankor|cadlys}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Take.png|16px|link=Bytcon Krypto]] {{clink|Bytcon Krypto|bytcon}}</big></td>
<td style="width:34%;"><big>[[File:Zinc.png|16px|link=The Jagerman]] {{clink|The Jagerman|jagerman}}</big></td>
<td style="width:33%;"><big>[[File:Zinc.png|16px|link=Laivan Ferroo]] {{clink|Laivan Ferroo|laivan}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Death.png|16px|link=Necron Exmort]] {{clink|Necron Exmort|necron}}</big></td>
<td style="width:50%;"><big>{{clink|Minor Characters#Iderra|iderra|Iderra}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Nickel.png|16px|link=Minor Characters#Divino Nikola]] {{clink|Minor Characters#Divino Nikola|divino|Divino Nikola}}</big></td>
<td style="width:50%;"><big>[[File:Iron_Pyrite.png|16px|link=Rypite Koldan]] {{clink|Rypite Koldan|rypite}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Sulfur.png|16px|link=Occeus Coliad]] {{clink|Occeus Coliad|occeus}}</big></td>
<td style="width:50%;"><big>{{clink|Dexous|dexous}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="4" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Clay.png|16px|link=Cretas Mglina]] {{clink|Cretas Mglina|cretas}}</big></td>
<td style="width:25%;"><big>{{clink|Gingou Disone|gingou}}</big></td>
<td style="width:25%;"><big>[[File:Steel.png|16px|link=Nezrui Rigida]] {{clink|Nezrui Rigida|nez}}</big></td>
<td style="width:25%;"><big>{{clink|Keiksi Ezlilu|keiksi}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Fusion.png|16px|link=Seinru Narako]] {{clink|Seinru Narako|seinru}}{{Color|black|✝}}</big></td>
<td style="width:25%;"><big>[[File:Platinum.png|16px|link=Fortmistress Deadlock]] {{clink|Fortmistress Deadlock|deadlock}}{{Color|black|✝}}</big></td>
<td style="width:25%;"><big>[[File:Platinum.png|16px|link=Tazsia Poemme]] {{clink|Tazsia Poemme|tazsia}}</big></td>
<td style="width:25%;"><big>[[File:Ammonia.png|16px|link=Endari Vernir]] {{clink|Endari Vernir|endari}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Sublimation.png|16px|link=Clarud Enthal]] {{clink|Clarud Enthal|clarud|Clarud Enthal<br /><small>(The Executive)</small>}}{{Color|black|✝}}</big></td>
<td style="width:34%;"><big>[[File:Sublimation.png|16px|link=Sestro Enthal]] {{clink|Sestro Enthal|sestro}}</big></td>
<td style="width:33%;"><big>[[File:Hot Fire.png|16px|link=Vilcus Cendum]] {{clink|Vilcus Cendum|vilcus}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Purification.png|16px|link=Edolon Vryche]] {{clink|Edolon Vryche|edolon}}</big></td>
<td style="width:34%;"><big>[[File:Pulverize.png|16px|link=Pozzol Broyer]] {{clink|Pozzol Broyer|pozzol}}</big></td>
<td style="width:33%;"><big>{{clink|Neilna Uldiaz|neilna}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Iron.png|16px|link=Caesar Consceleratus Persolus]]{{clink|Caesar Consceleratus Persolus|persolus}}{{Color|black|✝}}</big></td>
<td style="width:50%;"><big>[[File:Iron.png|16px|link=Calder Kerian]]{{clink|Calder Kerian|calder}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Brass.png|16px|link=Oricka Rourst]] {{clink|Oricka Rourst|oricka}}</big></td>
<td style="width:34%;><big>[[File:Lead.png|16px|link=Acerigger Switchem]] {{clink|Acerigger Switchem|switchem}}{{Color|black|✝}}</big></td>
<td style="width:33%;"><big>[[File:Lead.png|16px|link=Murrit Turkin]] {{clink|Murrit Turkin|murrit}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%; color:{{color|black}}"> </td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Magnesium.png|16px|link=Thesal Voorat]] {{clink|Thesal Voorat|thesal|Thesal Voorat<br /><small>(The Unknown/The Forgiven)</small>}}{{Color|black|✝}}</big></td>
<td style="width:34%;"><big>[[File:Magnesium.png|16px|link=Arcjec Voorat]] {{clink|Arcjec Voorat|arcjec}}</big></td>
<td style="width:33%;"><big>[[File:Mercury.png|16px|link=Zekura Raines]] {{clink|Zekura Raines|zekura|Zekura Raines<br /><small>(The Vivifier)</small>}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Mercury.png|16px|link=Ellsee Raines]] {{clink|Ellsee Raines|ellsee}}</big></td>
<td style="width:34%;"><big>{{clink|Ahlina Robiad|black|Ahlina Robiad}}{{Color|black|✝}}</big></td>
<td style="width:33%;"><big>[[File:Corpus Black.png|16px|link=Weird Al]] [[Weird Al|{{Color|black|W}}{{Color|red|e}}{{Color|black|i}}{{Color|red|r}}{{Color|black|d}} {{Color|red|A}}{{Color|black|l}}]]</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
6a7488a42296fdd609d1bc7434efff278dccf60c
237
236
2023-10-21T11:36:21Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:EKG.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:EKG.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Take.png|16px|link=Bytcon Krypto]] {{clink|Bytcon Krypto|bytcon}}</big></td>
<td style="width:34%;"><big>[[File:Zinc.png|16px|link=The Jagerman]] {{clink|The Jagerman|jagerman}}</big></td>
<td style="width:33%;"><big>[[File:Zinc.png|16px|link=Laivan Ferroo]] {{clink|Laivan Ferroo|laivan}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Death.png|16px|link=Necron Exmort]] {{clink|Necron Exmort|necron}}</big></td>
<td style="width:50%;"><big>{{clink|Minor Characters#Iderra|iderra|Iderra}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Nickel.png|16px|link=Minor Characters#Divino Nikola]] {{clink|Minor Characters#Divino Nikola|divino|Divino Nikola}}</big></td>
<td style="width:50%;"><big>[[File:Iron_Pyrite.png|16px|link=Rypite Koldan]] {{clink|Rypite Koldan|rypite}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Sulfur.png|16px|link=Occeus Coliad]] {{clink|Occeus Coliad|occeus}}</big></td>
<td style="width:50%;"><big>{{clink|Dexous|dexous}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="4" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Clay.png|16px|link=Cretas Mglina]] {{clink|Cretas Mglina|cretas}}</big></td>
<td style="width:25%;"><big>{{clink|Gingou Disone|gingou}}</big></td>
<td style="width:25%;"><big>[[File:Steel.png|16px|link=Nezrui Rigida]] {{clink|Nezrui Rigida|nez}}</big></td>
<td style="width:25%;"><big>{{clink|Keiksi Ezlilu|keiksi}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Fusion.png|16px|link=Seinru Narako]] {{clink|Seinru Narako|seinru}}{{Color|black|✝}}</big></td>
<td style="width:25%;"><big>[[File:Platinum.png|16px|link=Fortmistress Deadlock]] {{clink|Fortmistress Deadlock|deadlock}}{{Color|black|✝}}</big></td>
<td style="width:25%;"><big>[[File:Platinum.png|16px|link=Tazsia Poemme]] {{clink|Tazsia Poemme|tazsia}}</big></td>
<td style="width:25%;"><big>[[File:Ammonia.png|16px|link=Endari Vernir]] {{clink|Endari Vernir|endari}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Sublimation.png|16px|link=Clarud Enthal]] {{clink|Clarud Enthal|clarud|Clarud Enthal<br /><small>(The Executive)</small>}}{{Color|black|✝}}</big></td>
<td style="width:34%;"><big>[[File:Sublimation.png|16px|link=Sestro Enthal]] {{clink|Sestro Enthal|sestro}}</big></td>
<td style="width:33%;"><big>[[File:Hot Fire.png|16px|link=Vilcus Cendum]] {{clink|Vilcus Cendum|vilcus}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Purification.png|16px|link=Edolon Vryche]] {{clink|Edolon Vryche|edolon}}</big></td>
<td style="width:34%;"><big>[[File:Pulverize.png|16px|link=Pozzol Broyer]] {{clink|Pozzol Broyer|pozzol}}</big></td>
<td style="width:33%;"><big>{{clink|Neilna Uldiaz|neilna}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Iron.png|16px|link=Caesar Consceleratus Persolus]]{{clink|Caesar Consceleratus Persolus|persolus}}{{Color|black|✝}}</big></td>
<td style="width:50%;"><big>[[File:Iron.png|16px|link=Calder Kerian]]{{clink|Calder Kerian|calder}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Brass.png|16px|link=Oricka Rourst]] {{clink|Oricka Rourst|oricka}}</big></td>
<td style="width:34%;><big>[[File:Lead.png|16px|link=Acerigger Switchem]] {{clink|Acerigger Switchem|switchem}}{{Color|black|✝}}</big></td>
<td style="width:33%;"><big>[[File:Lead.png|16px|link=Murrit Turkin]] {{clink|Murrit Turkin|murrit}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%; color:{{color|black}}"> </td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Magnesium.png|16px|link=Thesal Voorat]] {{clink|Thesal Voorat|thesal|Thesal Voorat<br /><small>(The Unknown/The Forgiven)</small>}}{{Color|black|✝}}</big></td>
<td style="width:34%;"><big>[[File:Magnesium.png|16px|link=Arcjec Voorat]] {{clink|Arcjec Voorat|arcjec}}</big></td>
<td style="width:33%;"><big>[[File:Mercury.png|16px|link=Zekura Raines]] {{clink|Zekura Raines|zekura|Zekura Raines<br /><small>(The Vivifier)</small>}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Mercury.png|16px|link=Ellsee Raines]] {{clink|Ellsee Raines|ellsee}}</big></td>
<td style="width:34%;"><big>{{clink|Ahlina Robiad|black|Ahlina Robiad}}{{Color|black|✝}}</big></td>
<td style="width:33%;"><big>[[File:Corpus Black.png|16px|link=Weird Al]] [[Weird Al|{{Color|black|W}}{{Color|red|e}}{{Color|black|i}}{{Color|red|r}}{{Color|black|d}} {{Color|red|A}}{{Color|black|l}}]]</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
929175fb9beafbd929a5925ba803ddfe508eff61
238
237
2023-10-21T11:39:36Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:EKG.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:EKG.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Take.png|16px|link=Bytcon Krypto]] {{clink|Bytcon Krypto|bytcon}}</big></td>
<td style="width:34%;"><big>[[File:Zinc.png|16px|link=The Jagerman]] {{clink|The Jagerman|jagerman}}</big></td>
<td style="width:33%;"><big>[[File:Zinc.png|16px|link=Laivan Ferroo]] {{clink|Laivan Ferroo|laivan}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Death.png|16px|link=Necron Exmort]] {{clink|Necron Exmort|necron}}</big></td>
<td style="width:50%;"><big>{{clink|Minor Characters#Iderra|iderra|Iderra}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:EKG.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:EKG.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Iron.png|16px|link=Caesar Consceleratus Persolus]]{{clink|Caesar Consceleratus Persolus|persolus}}{{Color|black|✝}}</big></td>
<td style="width:50%;"><big>[[File:Iron.png|16px|link=Calder Kerian]]{{clink|Calder Kerian|calder}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Brass.png|16px|link=Oricka Rourst]] {{clink|Oricka Rourst|oricka}}</big></td>
<td style="width:34%;><big>[[File:Lead.png|16px|link=Acerigger Switchem]] {{clink|Acerigger Switchem|switchem}}{{Color|black|✝}}</big></td>
<td style="width:33%;"><big>[[File:Lead.png|16px|link=Murrit Turkin]] {{clink|Murrit Turkin|murrit}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%; color:{{color|black}}"> </td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Magnesium.png|16px|link=Thesal Voorat]] {{clink|Thesal Voorat|thesal|Thesal Voorat<br /><small>(The Unknown/The Forgiven)</small>}}{{Color|black|✝}}</big></td>
<td style="width:34%;"><big>[[File:Magnesium.png|16px|link=Arcjec Voorat]] {{clink|Arcjec Voorat|arcjec}}</big></td>
<td style="width:33%;"><big>[[File:Mercury.png|16px|link=Zekura Raines]] {{clink|Zekura Raines|zekura|Zekura Raines<br /><small>(The Vivifier)</small>}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Mercury.png|16px|link=Ellsee Raines]] {{clink|Ellsee Raines|ellsee}}</big></td>
<td style="width:34%;"><big>{{clink|Ahlina Robiad|black|Ahlina Robiad}}{{Color|black|✝}}</big></td>
<td style="width:33%;"><big>[[File:Corpus Black.png|16px|link=Weird Al]] [[Weird Al|{{Color|black|W}}{{Color|red|e}}{{Color|black|i}}{{Color|red|r}}{{Color|black|d}} {{Color|red|A}}{{Color|black|l}}]]</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
a69ed472cb252f56797b603098c786dfd54a3d01
239
238
2023-10-21T11:41:59Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:EKG.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:EKG.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Take.png|16px|link=Bytcon Krypto]] {{clink|Bytcon Krypto|bytcon}}</big></td>
<td style="width:34%;"><big>[[File:Zinc.png|16px|link=The Jagerman]] {{clink|The Jagerman|jagerman}}</big></td>
<td style="width:33%;"><big>[[File:Zinc.png|16px|link=Laivan Ferroo]] {{clink|Laivan Ferroo|laivan}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Death.png|16px|link=Necron Exmort]] {{clink|Necron Exmort|necron}}</big></td>
<td style="width:50%;"><big>{{clink|Minor Characters#Iderra|iderra|Iderra}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:EKG.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:EKG.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|16px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%; color:{{color|black}}"> </td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Magnesium.png|16px|link=Thesal Voorat]] {{clink|Thesal Voorat|thesal|Thesal Voorat<br /><small>(The Unknown/The Forgiven)</small>}}{{Color|black|✝}}</big></td>
<td style="width:34%;"><big>[[File:Magnesium.png|16px|link=Arcjec Voorat]] {{clink|Arcjec Voorat|arcjec}}</big></td>
<td style="width:33%;"><big>[[File:Mercury.png|16px|link=Zekura Raines]] {{clink|Zekura Raines|zekura|Zekura Raines<br /><small>(The Vivifier)</small>}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Mercury.png|16px|link=Ellsee Raines]] {{clink|Ellsee Raines|ellsee}}</big></td>
<td style="width:34%;"><big>{{clink|Ahlina Robiad|black|Ahlina Robiad}}{{Color|black|✝}}</big></td>
<td style="width:33%;"><big>[[File:Corpus Black.png|16px|link=Weird Al]] [[Weird Al|{{Color|black|W}}{{Color|red|e}}{{Color|black|i}}{{Color|red|r}}{{Color|black|d}} {{Color|red|A}}{{Color|black|l}}]]</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
4de8fb431841a1c61f77f14535313e6b8ab9fe59
240
239
2023-10-21T11:44:09Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:EKG.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:EKG.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Take.png|16px|link=Bytcon Krypto]] {{clink|Bytcon Krypto|bytcon}}</big></td>
<td style="width:34%;"><big>[[File:Zinc.png|16px|link=The Jagerman]] {{clink|The Jagerman|jagerman}}</big></td>
<td style="width:33%;"><big>[[File:Zinc.png|16px|link=Laivan Ferroo]] {{clink|Laivan Ferroo|laivan}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:EKG.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:EKG.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|16px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:EKG.png|16px|link=Skeletani]] {{clink|Skeletani|greenblood}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
8c28c903faca132076e154bf0d8982f38990f5cb
241
240
2023-10-21T11:44:32Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:EKG.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:EKG.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:EKG.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:EKG.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|16px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:EKG.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:EKG.png|16px|link=Skeletani]] {{clink|Skeletani|greenblood}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
9678d48e038058079c98cb682d42ac1e418c8174
261
241
2023-10-21T12:12:04Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:ECG.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:ECG.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:ECG.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:ECG.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|16px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:ECG.png|16px|link=Skeletani]] {{clink|Skeletani|greenblood}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
826098910895450b8095ce56f33c6aca0b12678c
275
261
2023-10-21T16:25:28Z
Katabasis
6
Added the signs to my two trolls.
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:ECG.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:ECG.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|16px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:ECG.png|16px|link=Skeletani]] {{clink|Skeletani|greenblood}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
57102f243162e04753ac1733dbcbf856fa9c6108
Template:Navbox
10
73
228
2023-10-21T11:05:24Z
Onepeachymo
2
Created page with "{| {{#if:{{{collapsible|}}}|class="mw-collapsible mw-collapsed"|}} width="100%" style="text-align:center; border:2px solid {{Color|ve4}}; color: #FFFFFF;" cellspacing="0" {{#if:{{{compact|}}}||cellpadding="2"}} ! bgcolor={{Color|ve4}} {{#if:{{{compact|}}}|colspan="2"|colspan="4"}} {{#if:{{{compact|}}}|style="background-color:{{Color|ve4}}; padding:0.2em 0.5em; height:3px; text-align:center; font-size:120%; font-weight:bold; font-family:courier new, courier, monospace;"..."
wikitext
text/x-wiki
{| {{#if:{{{collapsible|}}}|class="mw-collapsible mw-collapsed"|}} width="100%" style="text-align:center; border:2px solid {{Color|ve4}}; color: #FFFFFF;" cellspacing="0" {{#if:{{{compact|}}}||cellpadding="2"}}
! bgcolor={{Color|ve4}} {{#if:{{{compact|}}}|colspan="2"|colspan="4"}} {{#if:{{{compact|}}}|style="background-color:{{Color|ve4}}; padding:0.2em 0.5em; height:3px; text-align:center; font-size:120%; font-weight:bold; font-family:courier new, courier, monospace;" nowrap="nowrap"|style="font-size:125%; font-family:courier new, courier, monospace;"}} |{{navbar|Template:{{{template<noinclude>|Navbox</noinclude>}}}}} {{{title}}}
|-
<noinclude>| style="color:black;" |</noinclude>{{{content}}}
|-
|}<noinclude>
[[Category:Navigation templates| ]]
</noinclude>
d360a2adf19d7133efa434c8f748b477fdfae15a
Template:Navbox ReSymphony Characters
10
74
229
2023-10-21T11:05:56Z
Onepeachymo
2
Created page with "{{Navbox |title={{clink|:Category:Vast Error characters|white|''Vast Error'' Characters}} |template=Navbox Vast Error Characters |collapsible=yes |compact=yes |content= {{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="4" {{!}} {{clink|Troll|white|Trolls}} {{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}} <table border="0" width="100%" style=..."
wikitext
text/x-wiki
{{Navbox
|title={{clink|:Category:Vast Error characters|white|''Vast Error'' Characters}}
|template=Navbox Vast Error Characters
|collapsible=yes
|compact=yes
|content=
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="4" {{!}} {{clink|Troll|white|Trolls}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr style="font-weight:bold;">
<td style="width:25%; color:{{color|heart}};">Page of Heart [[File:Heart.png|16px]]</td>
<td style="width:25%; color:{{color|mind}};">Rogue of Mind [[File:Mind.png|16px]]</td>
<td style="width:25%; color:{{color|breath}};">Bard of Breath [[File:Breath.png|16px]]</td>
<td style="width:25%; color:{{color|light}};">Heir of Light [[File:Light.png|16px]]</td>
</tr>
<tr>
<td style="width:25%; font-size: larger;">[[File:Silver.png|16px|link=Sova Amalie]]{{clink|Sova Amalie|sovara}}</td>
<td style="width:25%; font-size: larger;">[[File:Phosphorus.png|16px|link=Dismas Mersiv]] {{clink|Dismas Mersiv|dismas}}</td>
<td style="width:25%; font-size: larger;">[[File:Magnesium.png|16px|link=Arcjec Voorat]] {{clink|Arcjec Voorat|arcjec}}</td>
<td style="width:25%; font-size: larger;">[[File:Tin.png|16px|link=Jentha Briati]] {{clink|Jentha Briati|jentha}}</td>
</tr>
<tr style="font-weight:bold; font-style:italic;">
<td style="width:25%;"><small>{{color|sovara|sanguineAllegory [SA]}}</small></td>
<td style="width:25%;"><small>{{color|dismas|gigantisDebilitation [GD]}}</small></td>
<td style="width:25%;"><small>{{color|arcjec|animatedHumorist [AH]}}</small></td>
<td style="width:25%;"><small>{{color|jentha|furbishFacilitated [FF]}}</small></td>
<tr style="font-weight:bold;">
<td style="width:25%; color:{{color|life}};">Mage of Life [[File:Life.png|16px]]</td>
<td style="width:25%; color:{{color|hope}};">Seer of Hope [[File:Hope_Outline.png|16px]]</td>
<td style="width:25%; color:{{color|doom}};">Witch of Doom [[File:Doom.png|16px]]</td>
<td style="width:25%; color:{{color|space}};">Knight of Space [[File:Space_Outline.png|16px]]</td>
</tr>
<tr>
<td style="width:25%; font-size: larger;">[[File:Mercury.png|16px|link=Ellsee Raines]] {{clink|Ellsee Raines|ellsee}}</big></td>
<td style="width:25%; font-size: larger;">[[File:Copper.png|16px|link=Albion Shukra]] {{clink|Albion Shukra|albion}}</big></td>
<td style="width:25%; font-size: larger;">[[File:Gold.png|16px|link=Serpaz Helilo]] {{clink|Serpaz Helilo|serpaz}}</big></td>
<td style="width:25%; font-size: larger;">[[File:Zinc.png|16px|link=Laivan Ferroo]] {{clink|Laivan Ferroo|laivan}}</big></td>
</tr>
<tr style="font-weight:bold; font-style:italic;">
<td style="width:25%;"><small>{{color|ellsee|existereOracle [EO]}}</small></td>
<td style="width:25%;"><small>{{color|albion|demiurgeQuantified [DQ]}}</small></td>
<td style="width:25%;"><small>{{color|serpaz|pliableDecadence [PD]}}</small></td>
<td style="width:25%;"><small>{{color|laivan|windlessArtificer [WA]}}</small></td>
<tr style="font-weight:bold;">
<td style="width:25%; color:{{color|blood}};">Prince of Blood [[File:Blood.png|16px]]</td>
<td style="width:25%; color:{{color|rage}};">Sylph of Rage [[File:Rage.png|16px]]</td>
<td style="width:25%; color:{{color|time}};">Thief of Time [[File:Time.png|16px]]</td>
<td style="width:25%; color:{{color|void}};">Maid of Void [[File:Void.png|16px]]</td>
</tr>
<tr>
<td style="width:25%; font-size: larger;">[[File:Sulfur.png|16px|link= Occeus Coliad]] {{clink|Occeus Coliad|occeus}}</td>
<td style="width:25%; font-size: larger;">[[File:Platinum.png|16px|link= Taz Poemme]] {{clink|Taz Poemme|tazsia}}</td>
<td style="width:25%; font-size: larger;">[[File:Lead.png|16px|link= Murrit Turkin]] {{clink|Murrit Turkin|murrit}}</td>
<td style="width:25%; font-size: larger;">[[File:Iron.png|16px|link= Calder Kerian]] {{clink|Calder Kerian|calder}}</td>
</tr>
<tr style="font-weight:bold; font-style:italic;">
<td style="width:25%;"><small>{{color|occeus|macabreExude [ME]}}</small></td>
<td style="width:25%;"><small>{{color|tazsia|perniciousOverkill [PO]}}</small></td>
<td style="width:25%;"><small>{{color|murrit|unclaspedKahuna [UK]}}</small></td>
<td style="width:25%;"><small>{{color|calder|grandioseSaturation [GS]}}</small></td>
</tr>
</table>
{{!}}-
{{!}} colspan="2" style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; border-top:3px solid {{Color|ve3}}; width:100%;"{{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%; font-size: larger;">[[File:Sublimation.png|16px|link=Sestro Enthal]] {{clink|Sestro Enthal|sestro}}</td>
<td style="width:25%; font-size: larger;">[[File:Precipitation.png|16px|link=Hamifi Hekrix]] {{clink|Hamifi Hekrix|hamifi}}</td>
<td style="width:25%; font-size: larger;">[[File:Acid.png|16px|link=Racren Innali]] {{clink|Racren Innali|racren}}</td>
<td style="width:25%; font-size: larger;">[[File:Digest.png|16px|link=Turnin Kaikai]] {{clink|Turnin Kaikai|turnin}}</td>
</tr>
</table>
{{!}}-
{{!}} colspan="2" style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; width:100%;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%; font-size: larger;">[[File:Purification.png|16px|link=Edolon Vryche]] {{clink|Edolon Vryche|edolon}}</td>
<td style="width:25%; font-size: larger;">[[File:Fusion.png|16px|link=Seinru Narako]] {{clink|Seinru Narako|seinru}}</td>
<td style="width:25%; font-size: larger;">[[File:Pulverize.png|16px|link=Pozzol Broyer]] {{clink|Pozzol Broyer|pozzol}}</td>
<td style="width:25%; font-size: larger;">[[File:Glass.png|16px|link=Talald Hieron]] {{clink|Talald Hieron|talald}}</td>
</tr>
</table>
{{!}}-
{{!}} colspan="2" style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; width:100%;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%; font-size: larger;">[[File:Corpus Black.png|16px|link=Weird Al]] [[Weird Al]]</td>
<td style="width:50%; font-size: larger;">[[Hulk Hogan]]</td>
</tr>
</table>
{{!}}-
{{!}} style="background:{{Color|ve3}}; padding:0.2em 1.0em; width:.1em; border-top:3px solid {{Color|ve4}}; font-weight:bold; text-align:right; white-space:nowrap;" {{!}} {{clink|Denizen|white|Denizens}}
{{!}} colspan="2" style="text-align:center; background:{{Color|ve0}}; padding:0.2em 0.5em; width:100%; border-top:3px solid {{color|ve4}}; color:black;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%; font-size: larger;">[[File:Heart.png|16px|link=Jegudial]] {{clink|Jegudial|heart}}</td>
<td style="width:25%; font-size: larger;">[[File:Mind.png|16px|link=Forcas]] {{clink|Forcas|mind}}</td>
<td style="width:25%; font-size: larger;">[[File:Breath.png|16px|link= Zehanpuryu]] {{clink|Zehanpuryu|zehanpuryu}}</td>
<td style="width:25%; font-size: larger;">[[File:Light.png|16px|link=Af]] {{clink|Af|af}}</td>
</tr>
<tr>
<td style="width:25%; font-size: larger;">[[File:Life.png|16px|link=Lilith]] {{clink|Lilith|lilith}}</td>
<td style="width:25%; font-size: larger;">[[File:Hope_Outline.png|16px|link=Bathkol]] {{clink|Bathkol|hope}}</td>
<td style="width:25%; font-size: larger;">[[File:Doom.png|16px|link=Sorush]] {{clink|Sorush|doom}}</td>
<td style="width:25%; font-size: larger;">[[File:Space Outline.png|16px|link=Haniel]] {{clink|Haniel|haniel}}</td>
</tr>
<tr>
<td style="width:25%; font-size: larger;">[[File:Blood.png|16px|link=Wormwood]] {{clink|Wormwood|blood}}</td>
<td style="width:25%; font-size: larger;">[[File:Rage.png|16px|link=Azbogah]] {{clink|Azbogah|azbogah}}</td>
<td style="width:25%; font-size: larger;">[[File:Time.png|16px|link=Gusion]] {{clink|Gusion|time}}</td>
<td style="width:25%; font-size: larger;">[[File:Void.png|16px|link=Procel]] {{clink|Procel|void}}</td>
</tr>
</table>
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; border-top:3px solid {{Color|ve4}}; font-weight: bold; text-align:right; white-space:nowrap;" {{!}} {{clink|Carapacian|white|Carapacians}}
{{!}} colspan="2" style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; width:100%; border-top:3px solid {{Color|ve4}};" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%; color:#000000; font-size: larger;">♠ [[Scathing Sharper]]</td>
<td style="width:50%; color:#FF0000; font-size: larger;">♦ [[Defrauding Dealer]]</td>
</tr>
<tr>
<td style="width:50%; color:#FF0000; font-size: larger;">♥ [[Hustle Bones]]</td>
<td style="width:50%; color:#000000; font-size: larger;">♣ [[Charmed Defalcator]]</td>
</tr>
</table>
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%; color:#FFFFFF; font-size: larger;">{{nowrap|[[Exonerated Executor]]}}
</table>
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; border-top:3px solid {{Color|ve4}}; font-weight: bold; text-align:right; white-space:nowrap;" {{!}} Other
{{!}} colspan="2" style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; width:100%; border-top:3px solid {{Color|ve4}};"{{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%; color: black; font-size: larger;">{{nowrap|[[Ancestors]]}} · {{nowrap|[[Lusus]]}} · {{nowrap|[[Rogi]]}}<br />
{{nowrap|[[Consorts]]}}<br />
{{nowrap| [[The Dead Shufflers|{{Color|black|♠}}{{color|red|♦}} The Dead Shufflers {{color|red|♥}}{{color|black|♣}}]][[File:Time.png|10px|link=The Dead Shufflers]]}} <br/>
{{nowrap|{{clink|White Noise|black}}}} · {{nowrap|{{clink|Mimesis|mimesis}}}} · {{nowrap|{{clink|Kheparia|kheparia}}}} · {{nowrap|{{clink|Gaiaeon|gaiaeon}}}}<br />
{{nowrap|[[Minor Characters]]}}</td>
</tr>
</table>
{{!}}-
| colspan="2" style="background-color:{{Color|ve4}}; padding:0em 0em; height:5px; text-align:center; font-size: 0.8em;" nowrap="nowrap" class="nocollapse"|
{{clink|Sovara Amelie|sovara|SA}}
{{clink|Dismas Mersiv|dismas|GD}}
{{clink|Arcjec Voorat|arcjec|AH}}
{{clink|Jentha Briati|jentha|FF}}
{{clink|Ellsee Raines|ellsee|EO}}
{{clink|Albion Shukra|albion|DQ}}
{{clink|Serpaz Helilo|serpaz|PD}}
{{clink|Laivan Ferroo|laivan|WA}}
{{clink|Occeus Coliad|occeus|ME}}
{{clink|Tazsia Poemme|tazsia|PO}}
{{clink|Murrit Turkin|murrit|UK}}
{{clink|Calder Kerian|calder|GS}}<br />
{{clink|Scathing Sharper|black|SS}}
{{clink|Defrauding Dealer|red|DD}}
{{clink|Hustle Bones|red|HB}}
{{clink|Charmed Defalcator|black|CD}}
}}<noinclude>
[[Category:Navigation templates|Vast Error Characters]]
</noinclude>
7667c83b3f1b8779aa90712a5819b4c8410cfe6e
Template:Clink
10
75
230
2023-10-21T11:06:24Z
Onepeachymo
2
Redirected page to [[Template:Color link]]
wikitext
text/x-wiki
#REDIRECT [[Template:Color link]]
74a63d40606c5cec9f804fe15e2fe916d75e078e
Template:Color link
10
76
231
2023-10-21T11:06:38Z
Onepeachymo
2
Created page with "<includeonly>{{#ifeq:{{PAGENAME}}|{{{1}}}|<span style="font-family:Helvetica Neue,helvetica,arial,sans-serif; font-weight:bold;">{{color|{{{2}}}|{{{3|{{{1}}}}}}}}</span>|[[{{{1}}}|{{color|{{{2}}}|{{{3|{{{1}}}}}}}}]]}}</includeonly><noinclude> {{documentation}} </noinclude>"
wikitext
text/x-wiki
<includeonly>{{#ifeq:{{PAGENAME}}|{{{1}}}|<span style="font-family:Helvetica Neue,helvetica,arial,sans-serif; font-weight:bold;">{{color|{{{2}}}|{{{3|{{{1}}}}}}}}</span>|[[{{{1}}}|{{color|{{{2}}}|{{{3|{{{1}}}}}}}}]]}}</includeonly><noinclude>
{{documentation}}
</noinclude>
76b6d8f95b09ff55e3c28413dbad2746b965f3bf
Template:Color link/doc
10
77
232
2023-10-21T11:07:13Z
Onepeachymo
2
Created page with "First parameter is the article to link to. Second parameter is the color for <nowiki>{{</nowiki>[[Template:Color|Color]]<nowiki>}}</nowiki> to use. Third is the text to display if it is different than the article link. NOTE: Some colors sourced directly from DCRC [https://deconreconstruction.com/public/css/characters.css stylesheet] {{Template:Color/Cheatsheet}}"
wikitext
text/x-wiki
First parameter is the article to link to.
Second parameter is the color for <nowiki>{{</nowiki>[[Template:Color|Color]]<nowiki>}}</nowiki> to use.
Third is the text to display if it is different than the article link.
NOTE: Some colors sourced directly from DCRC [https://deconreconstruction.com/public/css/characters.css stylesheet]
{{Template:Color/Cheatsheet}}
8c685f70c4b5b45db8bc2e20ac4b11735dff3a04
Yupinh/Infobox
0
37
234
217
2023-10-21T11:13:08Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:EKG.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = [[File:Yupinh.png]]
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Aspect|Class}}
|age = {{Age|CharactersAgeinSweeps}}
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
fe2885c7412d17ba92a89a76fe6646005020e7d3
262
234
2023-10-21T12:12:24Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:ECG.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = [[File:Yupinh.png]]
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Aspect|Class}}
|age = {{Age|CharactersAgeinSweeps}}
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
d62a69b227072eb56dde2d5cc26756c3d851c523
277
262
2023-10-21T16:30:14Z
Tanager
7
wikitext
text/x-wiki
{{Character Infobox
|name = Yupinh
|symbol = [[File:ECG.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = [[File:Yupinh.png]]
|caption = {{RS quote|burgundyblood| my name is '''MY NAME IS''' *our name is* ''my name is'' [Call Me At] yupinh}}
|intro = August 16, 2022
|title = {{Classpect|Doom|Seer}}
|age = {{Age|10}}
|gender = She/it/any (genderqueer)
|status = Alive?
|screenname = gorgeousBelonging
|style = Somewhat scattered:
*[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
*'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
*''Italic words'' are adjectives and adverbs.
* *wordz inn ass ter isks* are misspelled.
|specibus = Planchettekind
|modus = Rotary
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of Calls and Whispers
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Hodgepodge (nickname from Ponzii)
|creator = [[Tanager|tanager]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
22f3e63c20d3208312dcbee95156d81e9d9d105a
Calico Drayke
0
2
242
207
2023-10-21T11:45:50Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Calico Drayke''', also known by his [[Moonbounce|Moonbounce]] tag, languidMarauder, is one of the major pirate characters and a minor antagonist at times in Re:Symphony. His sign is Aquiun and he is the Captain upon the ''Lealda's Dream''.
He joined the server on 9/22/2021, after finding a message in a bottle that contained the link to the server, along with [[Tewkid Bownes|Tewkid]].
==Etymology==
"Calico" was taken from the first name of the pirate "Calico Jack" and "Drayke" comes from the surname of the pirate "Francis Drake".
Languid, from his username, is taken from his smooth and relatively easy-going personality, while Marauder is a clear reference to his ancestor.
==Biography==
===Early Life===
Calico has been sailing as a Pirate Captain since he was incredibly young, with Tewkid as his first mate. Pyrrah attempted to capture them as a bounty, but failed due to Lealda's intervention. Calico and his crew eventually were the targets of a allegiance between Lealda's treasonous crew-mates and another crew of Bluebloods, and they were captured. Lealda once again came to their rescue, and they fought the Bluebloods and double-crossers together. With their remaining members, they merged the two crews. During the conflict, Calico's right eye was permanently damaged.
Lealda got into contact with Skoozy at some point after they merged crews, and he replaced Calico's damaged eye.
Lealda's death was a turning point for Calico and the crew. Teals tried to blame him for their death, but Skoozy was able to get him out of it.
===Act 1===
Calico was asked by Skoozy to crash the server's very first Party, out of petty revenge since he was explicitly not invited to come. He made his first appearance by going around the party gathering dirt on everyone present, then stirring drama up within all of the different groups there. He caused the party to become complete pandemonium before their ship finally crashed into the building, releasing Tewkid & the rest of the crew into the mayhem. They then began badgering and fucking with people in real time, before eventually heading off.
Calico and Tewkid joined the server shortly after this, though Calico hardly ever spoke in it.
===Act 2===
==Personality and Traits==
Calico is a guy that, on a general basis, takes it pretty easy. He's incredibly loyal, both to those who he fully trusts and his beliefs. He can easily enact brutality without any remorse. He's very manipulative and a talented actor. He's soooo cooooool.
==Relationships==
====[[Tewkid Bownes|Tewkid]]====
Tewkid was Calico's closest friend and confidante. He would go through thick and thin for Tewkid, sacrifice anything for him... Calico has known Tewkid longer than anyone else, and until the Fight they were best friends. After the Fight, however, Calico found out that Tewkid was The Deceiver's descendant, and did a complete 180 on him. If not for their prior relationship, Calico would have killed him where he stood, but he was unsure of what to do. Tensions rose on board until Calico finally confronted Tewkid once more about his ancestor, and implied he was going to kick Tewkid from the ship before Pyrrah attacked them and Calico was kidnapped. They have not communicated since.
====[[Skoozy Mcribb|Skoozy]]====
Skoozy has been a close friend of Calico's for a long time. Sometime between Skoozy replacing his eye while they were kids and helping him out with the teals after Lealda's death, they managed to form quite a strong bond. Calico is aware that Skoozy is not a good individual, but he isn't entirely aware of how despicable Skoozy can get.
====[[Salang Lyubov|Venus]]====
====[[Pyrrah Kappen|Pyrrah]]====
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
c108ab0268f135b21c84636af39f7f5ac2e4eefb
243
242
2023-10-21T11:46:56Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Calico Drayke''', also known by his [[Moonbounce|Moonbounce]] tag, languidMarauder, is one of the major pirate characters and a minor antagonist at times in Re:Symphony. His sign is Aquiun and he is the Captain upon the ''Lealda's Dream''.
He joined the server on 9/22/2021, after finding a message in a bottle that contained the link to the server, along with [[Tewkid Bownes|Tewkid]].
==Etymology==
"Calico" was taken from the first name of the pirate "Calico Jack" and "Drayke" comes from the surname of the pirate "Francis Drake".
Languid, from his username, is taken from his smooth and relatively easy-going personality, while Marauder is a clear reference to his ancestor.
==Biography==
===Early Life===
Calico has been sailing as a Pirate Captain since he was incredibly young, with Tewkid as his first mate. Pyrrah attempted to capture them as a bounty, but failed due to Lealda's intervention. Calico and his crew eventually were the targets of a allegiance between Lealda's treasonous crew-mates and another crew of Bluebloods, and they were captured. Lealda once again came to their rescue, and they fought the Bluebloods and double-crossers together. With their remaining members, they merged the two crews. During the conflict, Calico's right eye was permanently damaged.
Lealda got into contact with Skoozy at some point after they merged crews, and he replaced Calico's damaged eye.
Lealda's death was a turning point for Calico and the crew. Teals tried to blame him for their death, but Skoozy was able to get him out of it.
===Act 1===
Calico was asked by Skoozy to crash the server's very first Party, out of petty revenge since he was explicitly not invited to come. He made his first appearance by going around the party gathering dirt on everyone present, then stirring drama up within all of the different groups there. He caused the party to become complete pandemonium before their ship finally crashed into the building, releasing Tewkid & the rest of the crew into the mayhem. They then began badgering and fucking with people in real time, before eventually heading off.
Calico and Tewkid joined the server shortly after this, though Calico hardly ever spoke in it.
===Act 2===
==Personality and Traits==
Calico is a guy that, on a general basis, takes it pretty easy. He's incredibly loyal, both to those who he fully trusts and his beliefs. He can easily enact brutality without any remorse. He's very manipulative and a talented actor. He's soooo cooooool.
==Relationships==
====[[Tewkid Bownes|Tewkid]]====
Tewkid was Calico's closest friend and confidante. He would go through thick and thin for Tewkid, sacrifice anything for him... Calico has known Tewkid longer than anyone else, and until the Fight they were best friends. After the Fight, however, Calico found out that Tewkid was The Deceiver's descendant, and did a complete 180 on him. If not for their prior relationship, Calico would have killed him where he stood, but he was unsure of what to do. Tensions rose on board until Calico finally confronted Tewkid once more about his ancestor, and implied he was going to kick Tewkid from the ship before Pyrrah attacked them and Calico was kidnapped. They have not communicated since.
====[[Skoozy Mcribb|Skoozy]]====
Skoozy has been a close friend of Calico's for a long time. Sometime between Skoozy replacing his eye while they were kids and helping him out with the teals after Lealda's death, they managed to form quite a strong bond. Calico is aware that Skoozy is not a good individual, but he isn't entirely aware of how despicable Skoozy can get.
====[[Salang Lyubov|Venus]]====
====[[Pyrrah Kappen|Pyrrah]]====
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
772cd725338c65aacbfa30c392a9180924abfe11
Category:Trolls
14
79
244
2023-10-21T11:47:57Z
Onepeachymo
2
Created page with "''Main article: [[Trolls]]''"
wikitext
text/x-wiki
''Main article: [[Trolls]]''
464ec17cb5896aa761ec92f7c642cd52dad6609e
Salang Lyubov
0
7
245
54
2023-10-21T11:48:41Z
Onepeachymo
2
wikitext
text/x-wiki
little love gayboy
Etymology
Biography
Personality and Traits
Relationships
Trivia
Gallery
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
a42c22bc335c9009dfa686b922593cf313327310
Anicca Shivuh
0
8
246
53
2023-10-21T11:48:47Z
Onepeachymo
2
wikitext
text/x-wiki
lesbian who has to Cope so hard all the time
Etymology
Biography
Personality and Traits
Relationships
Trivia
Gallery
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
9e6d332557d21c921fe48fa758e194fab2604c29
Knight Galfry
0
18
247
97
2023-10-21T11:49:00Z
Onepeachymo
2
wikitext
text/x-wiki
== Knight Galfry ==
Knight Galfry, possesséd of the [[Moonbounce]] username '''chivalrousCavalier''', is one of the [[trolls]] in [[Re:Symphony]]. She is approximately nine solar sweeps old, although her exact birthdate is unknown, and she is a '''Knight of Hope''', and - formerly - a '''prospit''' dreamer. Her ancestor was [[The Fortress]]. Her lusus was a chitinous barkingbeast, whom used to belong to her ancestor. She mercy killed it on its request some time during her late teenagehood.
Knight joined the conference on 4/8/2023 ([[British]] notation), when she found a mysterious satellite dish on the shore of the island she lives, and is imprisoned, on.
==Etymology==
'Knight' is a noun usually referring to an armoured individual from the medieval era. 'Galfry' is a corruption of 'Belfry', a reference to the two Belfry areas in Dark Souls II. 'Gal' can also be used as a slang term for a girl.
Given that Knight's ancestor's birth name was Knight Avalon, it can be assumed that the first name carries the ancestral significance in Knight's line, in inverse of typical Alternian tradition.
==Biography==
===== Early Life =====
Knight does not recall any of her life prior to turning five sweeps of age.
===== Present =====
Knight lives on an island slightly off the coast of the [[Sovereign Shores]], alone. She maintains regular contact with the [[Moonbounce]] group chat via a shaky internet connection, which is frequently interrupted by the violent storms which plague her island. She is able to leave the island, in short distances, via a hoverbike constructed for her by [[Leksee Sirrus]].
==Personality and Traits==
Knight is a very boisterous and cavalier individual, who, verbally, speaks in a dialect that is approximately fit for the 18th or 19th centuries. However, she uses a fully archaic set of pronouns, such as 'thee', 'thy', 'thou', and their permutations. She also occasionally uses the royal 'one', 'oneself', and 'we'. She appends c=|===> to the beginning of her messages, types in all capitals, and bolds her text. These permutations disappear when she speaks without her helmet on, which is rarely.
Knight is blind in her right eye, and has many scars, due to several mutant genes. She is, however, almost impossible to kill.
Knight is afflicted with an intense paranoia that those around her dislike her or are plotting to kill her. This has been recently worsened by the [[Skoozeye]].
==Relationships==
[[Tewkid Bownes]] gifted Knight his old palmhusk. She believes that he hates her, due to an unfortunate overextension of taste during their first meeting.
[[Siinix Auctor]] maintains regular communiqué with Knight via a pen-pal scheme. Knight has a red crush on her.
[[Awoole Fenrir]] tolerates Knight. She is the only blueblood that this tolerance applies to.
[[Leksee Sirrus]] built Knight a hoverbike. Knight has a mixed pale-red crush on him.
[[Aquett Aghara]] irritates Knight to no end, but he is very hot, and she has a black crush on him.
Knight considers [[Barise Klipse]], [[Mabuya Arnava]], [[Serceu Vasper]], [[Miette]], [[Siette Airien]], [[Paluli Anriqi]] and [[Harfil Myches]] to be friends of hers.
Knight dislikes [[Auryyx Osimos]], [[Skoozy Mcribb]], [[Pyrrah Kappen]], [[Guppie Suamui]] and [[Anatta Tereme]].
Knight thinks she has burned her bridges with [[Anicca Shivuh]], [[Tewkid Bownes]], [[Harfil Myches]], and [[Shikki]]. It is unclear if she is correct in this assumption.
==Trivia==
* Knight does not remove her armour anymore due to the presence of the Skoozeye.
* Knight is in denial about being gay.
* Knight's blood colour is millimeters away from her being considered a Purpleblood.
* Knight could take Aquett.
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
29298e28f5711c1b22badae9393553a01ea1f221
264
247
2023-10-21T14:36:16Z
Katabasis
6
/* Relationships */removed a repeated thingy
wikitext
text/x-wiki
== Knight Galfry ==
Knight Galfry, possesséd of the [[Moonbounce]] username '''chivalrousCavalier''', is one of the [[trolls]] in [[Re:Symphony]]. She is approximately nine solar sweeps old, although her exact birthdate is unknown, and she is a '''Knight of Hope''', and - formerly - a '''prospit''' dreamer. Her ancestor was [[The Fortress]]. Her lusus was a chitinous barkingbeast, whom used to belong to her ancestor. She mercy killed it on its request some time during her late teenagehood.
Knight joined the conference on 4/8/2023 ([[British]] notation), when she found a mysterious satellite dish on the shore of the island she lives, and is imprisoned, on.
==Etymology==
'Knight' is a noun usually referring to an armoured individual from the medieval era. 'Galfry' is a corruption of 'Belfry', a reference to the two Belfry areas in Dark Souls II. 'Gal' can also be used as a slang term for a girl.
Given that Knight's ancestor's birth name was Knight Avalon, it can be assumed that the first name carries the ancestral significance in Knight's line, in inverse of typical Alternian tradition.
==Biography==
===== Early Life =====
Knight does not recall any of her life prior to turning five sweeps of age.
===== Present =====
Knight lives on an island slightly off the coast of the [[Sovereign Shores]], alone. She maintains regular contact with the [[Moonbounce]] group chat via a shaky internet connection, which is frequently interrupted by the violent storms which plague her island. She is able to leave the island, in short distances, via a hoverbike constructed for her by [[Leksee Sirrus]].
==Personality and Traits==
Knight is a very boisterous and cavalier individual, who, verbally, speaks in a dialect that is approximately fit for the 18th or 19th centuries. However, she uses a fully archaic set of pronouns, such as 'thee', 'thy', 'thou', and their permutations. She also occasionally uses the royal 'one', 'oneself', and 'we'. She appends c=|===> to the beginning of her messages, types in all capitals, and bolds her text. These permutations disappear when she speaks without her helmet on, which is rarely.
Knight is blind in her right eye, and has many scars, due to several mutant genes. She is, however, almost impossible to kill.
Knight is afflicted with an intense paranoia that those around her dislike her or are plotting to kill her. This has been recently worsened by the [[Skoozeye]].
==Relationships==
[[Tewkid Bownes]] gifted Knight his old palmhusk. She believes that he hates her, due to an unfortunate overextension of taste during their first meeting.
[[Siinix Auctor]] maintains regular communiqué with Knight via a pen-pal scheme. Knight has a red crush on her.
[[Awoole Fenrir]] tolerates Knight. She is the only blueblood that this tolerance applies to.
[[Leksee Sirrus]] built Knight a hoverbike. Knight has a mixed pale-red crush on him.
[[Aquett Aghara]] irritates Knight to no end, but he is very hot, and she has a black crush on him.
Knight considers [[Barise Klipse]], [[Mabuya Arnava]], [[Serceu Vasper]], [[Miette]], [[Siette Airien]], [[Paluli Anriqi]] and [[Harfil Myches]] to be friends of hers.
Knight dislikes [[Auryyx Osimos]], [[Skoozy Mcribb]], [[Pyrrah Kappen]], [[Guppie Suamui]] and [[Anatta Tereme]].
Knight thinks she has burned her bridges with [[Anicca Shivuh]], [[Tewkid Bownes]], and [[Shikki]]. It is unclear if she is correct in this assumption.
==Trivia==
* Knight does not remove her armour anymore due to the presence of the Skoozeye.
* Knight is in denial about being gay.
* Knight's blood colour is millimeters away from her being considered a Purpleblood.
* Knight could take Aquett.
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
c433a3a6aebad726137ced255cff5465144ca835
269
264
2023-10-21T15:56:06Z
Katabasis
6
wikitext
text/x-wiki
{{/infobox}}
== Knight Galfry ==
Knight Galfry, possesséd of the [[Moonbounce]] username '''chivalrousCavalier''', is one of the [[trolls]] in [[Re:Symphony]]. She is approximately nine solar sweeps old, although her exact birthdate is unknown, and she is a '''Knight of Hope''', and - formerly - a '''prospit''' dreamer. Her ancestor was [[The Fortress]]. Her lusus was a chitinous barkingbeast, whom used to belong to her ancestor. She mercy killed it on its request some time during her late teenagehood.
Knight joined the conference on 4/8/2023 ([[British]] notation), when she found a mysterious satellite dish on the shore of the island she lives, and is imprisoned, on.
==Etymology==
'Knight' is a noun usually referring to an armoured individual from the medieval era. 'Galfry' is a corruption of 'Belfry', a reference to the two Belfry areas in Dark Souls II. 'Gal' can also be used as a slang term for a girl.
Given that Knight's ancestor's birth name was Knight Avalon, it can be assumed that the first name carries the ancestral significance in Knight's line, in inverse of typical Alternian tradition.
==Biography==
===== Early Life =====
Knight does not recall any of her life prior to turning five sweeps of age.
===== Present =====
Knight lives on an island slightly off the coast of the [[Sovereign Shores]], alone. She maintains regular contact with the [[Moonbounce]] group chat via a shaky internet connection, which is frequently interrupted by the violent storms which plague her island. She is able to leave the island, in short distances, via a hoverbike constructed for her by [[Leksee Sirrus]].
==Personality and Traits==
Knight is a very boisterous and cavalier individual, who, verbally, speaks in a dialect that is approximately fit for the 18th or 19th centuries. However, she uses a fully archaic set of pronouns, such as 'thee', 'thy', 'thou', and their permutations. She also occasionally uses the royal 'one', 'oneself', and 'we'. She appends c=|===> to the beginning of her messages, types in all capitals, and bolds her text. These permutations disappear when she speaks without her helmet on, which is rarely.
Knight is blind in her right eye, and has many scars, due to several mutant genes. She is, however, almost impossible to kill.
Knight is afflicted with an intense paranoia that those around her dislike her or are plotting to kill her. This has been recently worsened by the [[Skoozeye]].
==Relationships==
[[Tewkid Bownes]] gifted Knight his old palmhusk. She believes that he hates her, due to an unfortunate overextension of taste during their first meeting.
[[Siinix Auctor]] maintains regular communiqué with Knight via a pen-pal scheme. Knight has a red crush on her.
[[Awoole Fenrir]] tolerates Knight. She is the only blueblood that this tolerance applies to.
[[Leksee Sirrus]] built Knight a hoverbike. Knight has a mixed pale-red crush on him.
[[Aquett Aghara]] irritates Knight to no end, but he is very hot, and she has a black crush on him.
Knight considers [[Barise Klipse]], [[Mabuya Arnava]], [[Serceu Vasper]], [[Miette]], [[Siette Airien]], [[Paluli Anriqi]] and [[Harfil Myches]] to be friends of hers.
Knight dislikes [[Auryyx Osimos]], [[Skoozy Mcribb]], [[Pyrrah Kappen]], [[Guppie Suamui]] and [[Anatta Tereme]].
Knight thinks she has burned her bridges with [[Anicca Shivuh]], [[Tewkid Bownes]], and [[Shikki]]. It is unclear if she is correct in this assumption.
==Trivia==
* Knight does not remove her armour anymore due to the presence of the Skoozeye.
* Knight is in denial about being gay.
* Knight's blood colour is millimeters away from her being considered a Purpleblood.
* Knight could take Aquett.
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
f5caf85302c83cc9014c051997cf9ec8ef64f6fb
Poppie Toppie
0
21
248
82
2023-10-21T11:49:11Z
Onepeachymo
2
wikitext
text/x-wiki
== Poppie Toppie ==
Poppie Toppie is a pathetic failure of a troll who joined the [[Moonbounce]] groupchat yesterday when trying to access a medical hotline in [[Trollkyo]].
It is a rainbowdrinker. It feeds from the inebriated, the weak, and the small.
It deserves it.
==Etymology==
Poppie is a corruption of Poppy, which is my name. Toppie comes because it rhymes with 'Sloppy Toppy', because they canonically give insane head - mainly because of the vampire teeth.
==Biography==
===== Early Life =====
I haven't thought about it.
===== Present =====
Bleeding out in Trollkyo after being murdered (unsuccessfully) by [[Siette Aerien]].
==Personality and Traits==
Once got murdered by [[Siette Aerien]]. Sadly, they survived.
==Relationships==
[[Siette Aerien]] murdered them once.
Inexplicably, friends with [[Guppie Suamui]].
==Trivia==
* Bleeds a lot. Has Hemophilia and Anemia.
* Delicious bloods.
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
e8cafeb533d0bf6b05d22bff5a8d9d6eda589405
274
248
2023-10-21T16:20:50Z
Katabasis
6
wikitext
text/x-wiki
{{/infobox}}
== Poppie Toppie ==
Poppie Toppie is a pathetic failure of a troll who joined the [[Moonbounce]] groupchat yesterday when trying to access a medical hotline in [[Trollkyo]].
It is a rainbowdrinker. It feeds from the inebriated, the weak, and the small.
It deserves it.
==Etymology==
Poppie is a corruption of Poppy, which is my name. Toppie comes because it rhymes with 'Sloppy Toppy', because they canonically give insane head - mainly because of the vampire teeth.
==Biography==
===== Early Life =====
I haven't thought about it.
===== Present =====
Bleeding out in Trollkyo after being murdered (unsuccessfully) by [[Siette Aerien]].
==Personality and Traits==
Once got murdered by [[Siette Aerien]]. Sadly, they survived.
==Relationships==
[[Siette Aerien]] murdered them once.
Inexplicably, friends with [[Guppie Suamui]].
==Trivia==
* Bleeds a lot. Has Hemophilia and Anemia.
* Delicious bloods.
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
0acfca8b07cb8ace7f0474df31c190624c0a1fdd
Skoozy Mcribb
0
4
249
100
2023-10-21T11:49:48Z
Onepeachymo
2
wikitext
text/x-wiki
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his [[Moonbounce|Moonbounce]] tag '''analyticalSwine''', he is option depicted with the Mcdonald's golden arches symbol rather than his true sign.
Skoozy joined the server on day one, claiming initially that "link said free trobux?" but it is later implied that he joined via spying on [[Paluli Anriqi|Paluli]].
==Etymology==
Although "Skoozy" has many meanings in American english slang, his name was chosen as a purely random collection of sounds, rather than to be symbolic of his character. "Mcribb" was similarly chosen as a silly name, but was explored upon further as Skoozy has a deep rooted love for Mcdonald's. The name Mcribb may also be tied to Skoozy's lusus being a large pig, which could also be further referenced in his Moonbounce tag "analyticalSwine". As troll tags are chosen by the character, it is assumed that Skoozy chose "analytical" because he prides that aspect of his personality, and "Swine" out of respect for his lusus.
==Biography==
===Early life===
Very little is known about Skoozy's early life, though it was alluded that he had longtime connections with the pirates. Later he is shown in [https://en.wikipedia.org/wiki/Flashback%20(narrative) flashbacks] to have worked with both [[Pyrrah Kappen|Pyrrah]] and with [[Calico Drayke|Calico's]] crew, despite the hatred between the two crews. It is also heavily implied that he is responsible for Paluli's mutated appearance, suggesting he somehow experimented with her before she emerged from the brooding caverns, despite the fact they are close in age.
===Act 1===
Skoozy initially does not reveal his true nature to those in the chatroom, and does his best to come across as a nonthreatening, albeit annoying, trickster.
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<gallery>
File:Skoozy can make a difference.png|Skoozy
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
bb6ff06353eb4f0b8ae3a6d66febf3b1f99e0c09
263
249
2023-10-21T12:16:00Z
Onepeachymo
2
wikitext
text/x-wiki
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his [[Moonbounce|Moonbounce]] tag '''analyticalSwine''', he is option depicted with the Mcdonald's golden arches symbol rather than his true sign.
Skoozy joined the server on day one, claiming initially that "link said free trobux?" but it is later implied that he joined via spying on [[Paluli Anriqi|Paluli]].
==Etymology==
Although "Skoozy" has many meanings in American english slang, his name was chosen as a purely random collection of sounds, rather than to be symbolic of his character. "Mcribb" was similarly chosen as a silly name, but was explored upon further as Skoozy has a deep rooted love for Mcdonald's. The name Mcribb may also be tied to Skoozy's lusus being a large pig, which could also be further referenced in his Moonbounce tag "analyticalSwine". As troll tags are chosen by the character, it is assumed that Skoozy chose "analytical" because he prides that aspect of his personality, and "Swine" out of respect for his lusus.
==Biography==
===Early life===
Very little is known about Skoozy's early life, though it was alluded that he had longtime connections with the pirates. Later he is shown in [https://en.wikipedia.org/wiki/Flashback%20(narrative) flashbacks] to have worked with both [[Pyrrah Kappen|Pyrrah]] and with [[Calico Drayke|Calico's]] crew, despite the hatred between the two crews. It is also heavily implied that he is responsible for Paluli's mutated appearance, suggesting he somehow experimented with her before she emerged from the brooding caverns, despite the fact they are close in age.
===Act 1===
Skoozy initially does not reveal his true nature to those in the chatroom, and does his best to come across as a nonthreatening, albeit annoying, trickster.
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<gallery widths=200px heights=150px>
File:Skoozy can make a difference.png|Skoozy
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
c6f1ecaaa6cefe5874e411bb6d65fd04dde9b05c
Tewkid Bownes
0
15
250
103
2023-10-21T11:50:00Z
Onepeachymo
2
wikitext
text/x-wiki
'''Tewkid Bownes''', known also by his [[Moonbounce]] tag, '''domesticRover''', is one of the major pirate characters of Re:Symphony. Tewkid is the second in command on the ship ''Lealda's Dream'', he is directly under [[Calico Drayke|Calico]] on the ships hierarchy. He joined on 9/22/2021, immediately after Calico.
==Etymology==
Tewkid's name comes from a handful of sources, "tew" coming from English privateer-turned-pirate "[https://en.wikipedia.org/wiki/Thomas_Tew Thomas Tew]" and "kid" coming from the Scottish privateer "[https://en.wikipedia.org/wiki/William_Kidd William Kidd]". "bownes" being a play on the spelling of "bones", as bone imagery and symbols are often tied with pirates and the pirate lifestyle. In his Moonbounce tag, domestic is in reference to Tewkid's various interests in typically domestic hobbies an activities such as cooking, sewing and embroidery. However domestic is also in reference to someone who stays put and does not wander, which is in direct contradiction to the second part of his tag which is Rover, which is someone who wanders and does not stay in one place. Rover is in reference to his life as a pirate and traveling across the seas, but the inherent contradiction of his tag can be interpreted as representative of the many conflicts he experiences both internally and externally, as he finds himself struggling to understand his place.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<gallery>
File:Tewkid1.gif|he's talking :)
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
3d983782c866f25036d89f4451bbfc1d58e729d0
Paluli Anriqi
0
14
251
62
2023-10-21T11:50:10Z
Onepeachymo
2
wikitext
text/x-wiki
just a little gal
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
b79c9852789278998e73e1871b13602333f20a70
Guppie Suamui
0
16
252
96
2023-10-21T11:50:29Z
Onepeachymo
2
wikitext
text/x-wiki
Guppie Suamui, known also on [[Moonbounce]] as gossamerDaydreamer, is one of the many characters in Re:Symphony. She is a violet blood, who joined the server via an invite from [[Paluli Anriqi|Paluli]].
==Etymology==
Guppie's first name is a play on the spelling "[https://en.wikipedia.org/wiki/Guppy Guppy]" which is a type of small fish often kept as a pet, this is in reference to the fact that violet bloods are aquatic and have fish-like qualities. Her last name, Suamui, is just a collection of sounds that were pleasing to the ear.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
41a50cba521d3a47e2710bad7aef23f94356afed
Ponzii
0
10
253
60
2023-10-21T11:50:44Z
Onepeachymo
2
wikitext
text/x-wiki
'''Ponzii ??????''', also known by their Moonbounce handle '''acquisitiveSupreme''', is one of the trolls in RE: Symphony. Their fake symbol they wear is Tauricorn however, their true sign is Taurlo and they are just. a silly little thing. P)
==Etymology==
Ponzii is based on Ponzi Schemes as they are a thief/scammer. For their handle, Acquisitive means 'excessively interested in acquiring money or material things.' Which ties into their obsession of money and other things they can get their hands on. Supreme for both a joke on the expensive brand 'Supreme' and that they're very good at stealing.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
f1b04021ad190992d5fb5488652d8a37765a40b3
Looksi Gumshu
0
9
254
129
2023-10-21T11:50:53Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Looksi Gumshu''', also known by his Moonbounce handle '''phlegmaticInspector''', is one of the trolls in RE: Symphony. His sign is Libza and he is SAD.
==Etymology==
Looksi Gumshu is based on the word 'Look-see' and 'Gumshoe'. Which ties into his occupation of being a Detective. For his handle, Phlegmatic means 'a person having an unemotional and stolidly calm disposition.' As Looksi usually has when he solves a case or his demeanor in general. Inspector is his occupation, for his city, New Troll City. His handle acronyms 'PI' is also a joke on the acronym for Private Investigator.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
Design is based on Almond Cookie from Cookie Run.
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
d857f115d96a3661d3eb01313868090ce3f8a7aa
Pyrrah Kappen
0
11
255
80
2023-10-21T11:51:10Z
Onepeachymo
2
wikitext
text/x-wiki
'''Pyrrah Kappen''', also known by her [[Moonbounce]] handle '''orchidHuntress''', is one of the trolls in RE: Symphony. Her symbol is Aquiun and she is a cold and stoic bounty hunter that works for the empress.
Pyrrah joined on 5/15/2023 after many attempts of messages in bottles or other means, a paper flew in after successfully kidnapping Calico.
==Etymology==
Pyrrah Kappen is a joke on the words 'Pirate Captain'. While she is a bounty hunter, she does have a huge disdain for pirates. For her handle, orchid comes from the shade of violet and Huntress was from. well. Bounty Hunter.
==Biography==
===Early Life===
Not much is known about Pyrrah's younger years, other than the fact she has worked with [[Skoozy Mcribb|Skoozy]] before and that her scarred eye was the result of some troll got intensely upset at her for something and scarred her left eye when she was 2 sweeps old. It's implied that before she joined she would just capture and send criminal and rogues ordered by the Empress and turned them in for money.
==Personality and Traits==
Cold and Calculating, Pyrrah does not stand for nonsensical things and refuses to open up to others and only sees the worst in everyone.
==Relationships==
===[[Calico Drayke]]===
Has this bitch kidnapped on her ship to turn in for profit.
==Trivia==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
0c09dd07a91a11588bda5fca6765a5727bfa3d5e
Siette Aerien
0
6
256
71
2023-10-21T11:51:20Z
Onepeachymo
2
wikitext
text/x-wiki
{{DISPLAYTITLE:Siette Aerien}}
'''Siette Aerien''', also known by her [[Moonbounce]] handle balefulAcrobat, is one of the [[troll]]s in ''[[Re:Symphony]]''. Her sign is true Capricorn, or SIGN OF THE CAPRICIOUS, and she is a Witch of Rage. She is an aerial silk dancer.
Siette joined the server on 8/20/2021. She found a piece of paper with the link written on it tucked into her silks.
==Etymology==
Siette's first name comes from the word, "slette," which means to eradicate, or remove. Originally, her name was Slette, but after a misread, the name was changed to Siette for better readability. Her last name, Aerien, is an altered version of aerial, which is in reference to her aerial silk performance in the circus.
Siette's chat handle, balefulAcrobat, means "killer clown." Baleful, in this context, is used with the definition of, "Harmful or malignant in intent or effect. " Acrobat here is used with the in-universe context of most- if not all -circus performers being Purple bloods. Siette, while efficient, is not known for her subtlety.
==Biography==
===Early Life===
Siette was adopted by a troll only known as the Priestess, following her discovering her and her lusus. Siette's lusus, affectionately named Lily, was beaten and bloody, presumably found after a battle defending grub-Siette. Siette was raised in the church, under the close tutelage of her Priestess. Siette was taught the ways of the Mirthful Messiahs, and was trained to be an efficient killer. Siette performed part-time in a circus as well, as an [https://en.wikipedia.org/wiki/Aerial_silk aerial silk dancer]
==Personality and Traits==
==Relationships==
===Mabuya Arnava===
Mabuya is Siette's matesprit.
==Trivia==
==Gallery==
<gallery position="center" widths="185">
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
2755e8a3b6fb337ae4ead439e4e7cb6559ad9315
Yupinh
0
28
257
211
2023-10-21T11:51:42Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a [ttps://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132 wayneradiotv Youtube video]. Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh's current quirk follows a consistent ruleset:
**[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
**'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
**''Italic words'' are adjectives and adverbs.
** *wordz inn ass ter isks* are misspelled.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is peachy's favorite Yupinh moment.
***Yupinh is aware of peachy, and aware that this is their favorite Yupinh moment. When asked how Yupinh felt about this, it offered [No Comment].
==Gallery==
<gallery widths=200px heights=150px>
File:Yupinh.png|Yupinh's original sprite.
File:Get-it-yupinh.gif|GET IT YUPINH
File:Real slim shady.png|Yupinh smoking weed with a troll legend (not canon).
File:Ps1-hagrid.jpg|"i PAINTED this [When We Were Young]"
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
9a2debeb39e55043c78d369652d4cfb2c602890b
File:Aquiun.png
6
59
258
161
2023-10-21T11:53:27Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Aquiun.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:ECG.png
6
80
260
2023-10-21T12:09:52Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Knightsign.png
6
81
265
2023-10-21T14:51:04Z
Katabasis
6
Knight's sign.
wikitext
text/x-wiki
== Summary ==
Knight's sign.
bebcf383397c94dd28eb2a7c422ee317249256e6
267
265
2023-10-21T15:53:32Z
Katabasis
6
Katabasis uploaded a new version of [[File:Knightsign.png]]
wikitext
text/x-wiki
== Summary ==
Knight's sign.
bebcf383397c94dd28eb2a7c422ee317249256e6
File:Knight.png
6
82
266
2023-10-21T15:28:41Z
Katabasis
6
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Knight Galfry/infobox
0
83
268
2023-10-21T15:55:01Z
Katabasis
6
Created page with "{{Character Infobox |name = Knight Galfry |symbol = [[File:knightsign.png|32px]] |symbol2 = [[File:Aspect_Hope.png|32px]] |complex = [[File:Knight.png]] |caption = {{RS quote|#4C00FF| '''<nowiki>c=|===></nowiki> TO ALL THINGS, AN END. AS IT WERE.'''}} |intro = day they joined server |title = {{Classpect|Hope|Knight}} |age = {{Age|9}} |gender = She/Her (Girl) |status = Alive |screenname = chivalrousCavalier |style = Speaks in all caps, in an archaic lexis. Uses middle eng..."
wikitext
text/x-wiki
{{Character Infobox
|name = Knight Galfry
|symbol = [[File:knightsign.png|32px]]
|symbol2 = [[File:Aspect_Hope.png|32px]]
|complex = [[File:Knight.png]]
|caption = {{RS quote|#4C00FF| '''<nowiki>c=|===></nowiki> TO ALL THINGS, AN END. AS IT WERE.'''}}
|intro = day they joined server
|title = {{Classpect|Hope|Knight}}
|age = {{Age|9}}
|gender = She/Her (Girl)
|status = Alive
|screenname = chivalrousCavalier
|style = Speaks in all caps, in an archaic lexis. Uses middle english pronouns. Appends an ascii sword to the start of her messages, but it contains a character that fucks with the code, so I can't replicate it here. Slorry.
|specibus = Shieldkind/Bladekind
|modus = Hoard
|relations = [[The Fortress|{{RS quote|#4C00FF|La Fortezza}}]] - [[Ancestors|Ancestor]]
|planet = Land of Storms and Rapture
|likes = Rainbowdrinkers.
|dislikes = Violets, on principle. Confusingly, though, by number, ''most'' of her friends are Violets.
|aka = Kishi ([[Mabuya Arnava]]), Nig#t ([[Ponzii]]), Galgie ([[Tewkid Bownes]])
|creator = Poppy}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
06ab0d66cf3dfe4dd3a1b2a89b22f2460aeee5b0
User:Katabasis
2
84
270
2023-10-21T16:00:58Z
Katabasis
6
Created page with "None of those little fucks can be happy. '''None''' of them. I won't let you."
wikitext
text/x-wiki
None of those little fucks can be happy. '''None''' of them. I won't let you.
03e75d7ec006768998e67d59767eb2c55f86e29e
File:Poppiesign.png
6
85
271
2023-10-21T16:10:21Z
Katabasis
6
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Poppieplaceholder.png
6
86
272
2023-10-21T16:12:21Z
Katabasis
6
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Poppie Toppie/infobox
0
87
273
2023-10-21T16:20:29Z
Katabasis
6
Created page with "{{Character Infobox |name = Poppie Toppie |symbol = [[File:Poppiesign.png|32px]] |symbol2 = [[File:Aspect_Blood.png|32px]] |complex = [[File:poppieplaceholder.png]] |caption = {{RS quote|#3B00FF| slorry :(}} |intro = Yesterday |title = {{Classpect|Blood|Thief}} |age = {{Age|8}} |gender = It/its (Thing) |status = Undead |screenname = exigentWhirligig |style = Capitalises and strikethroughs Ms and Cs. Makes spelling errors. Says "Slorry". |specibus = Fangkind |modus = Whir..."
wikitext
text/x-wiki
{{Character Infobox
|name = Poppie Toppie
|symbol = [[File:Poppiesign.png|32px]]
|symbol2 = [[File:Aspect_Blood.png|32px]]
|complex = [[File:poppieplaceholder.png]]
|caption = {{RS quote|#3B00FF| slorry :(}}
|intro = Yesterday
|title = {{Classpect|Blood|Thief}}
|age = {{Age|8}}
|gender = It/its (Thing)
|status = Undead
|screenname = exigentWhirligig
|style = Capitalises and strikethroughs Ms and Cs. Makes spelling errors. Says "Slorry".
|specibus = Fangkind
|modus = Whirligig
|relations = [[The Wretched|{{RS quote|#3B00FF|The Wretched}}]] - [[Ancestors|Ancestor]]
|planet = Land of Pain and Sluffering
|likes = Blood, warmth, being touched or embraced, or maybe a little kissy maybe
|dislikes = The Agonies
|aka = World's Most Bleeding Animal
|creator = [[User:Katabasis]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
e4610406140e35c4b61572a49830c6661ae40b87
User:Tanager
2
88
276
2023-10-21T16:29:32Z
Tanager
7
Created page with "'''Tanager''', also known as '''tanager4392''', is a roleplayer in Re:Symphony. They play [[Yupinh]], Jaxsim Playse, and Mandel Kalpas."
wikitext
text/x-wiki
'''Tanager''', also known as '''tanager4392''', is a roleplayer in Re:Symphony. They play [[Yupinh]], Jaxsim Playse, and Mandel Kalpas.
72b8a34db9a85d2528f0811dc3d6042b94cb5f42
Yupinh
0
28
278
257
2023-10-21T16:30:51Z
Tanager
7
wikitext
text/x-wiki
{{/Infobox}}
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a [ttps://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132 wayneradiotv Youtube video]. Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is peachy's favorite Yupinh moment.
***Yupinh is aware of peachy, and aware that this is their favorite Yupinh moment. When asked how Yupinh felt about this, it offered [No Comment].
==Gallery==
<gallery widths=200px heights=150px>
File:Yupinh.png|Yupinh's original sprite.
File:Get-it-yupinh.gif|GET IT YUPINH
File:Real slim shady.png|Yupinh smoking weed with a troll legend (not canon).
File:Ps1-hagrid.jpg|"i PAINTED this [When We Were Young]"
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
2517b2fa42d51a125ae3e3571ac4ed08b20027e1
280
278
2023-10-21T16:33:45Z
Tanager
7
wikitext
text/x-wiki
{{/Infobox}}
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by tanager.
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a [https://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132 wayneradiotv Youtube video]. Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is peachy's favorite Yupinh moment.
***Yupinh is aware of peachy, and aware that this is their favorite Yupinh moment. When asked how Yupinh felt about this, it offered [No Comment].
==Gallery==
<gallery widths=200px heights=150px>
File:Yupinh.png|Yupinh's original sprite.
File:Get-it-yupinh.gif|GET IT YUPINH
File:Real slim shady.png|Yupinh smoking weed with a troll legend (not canon).
File:Ps1-hagrid.jpg|"i PAINTED this [When We Were Young]"
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
29b3f893516c45b11cecacd32a8ebb9328993c7f
282
280
2023-10-21T16:51:05Z
Tanager
7
wikitext
text/x-wiki
{{/Infobox}}
'''Yupinh,''' also known by the [[Moonbounce]] tag '''gorgeousBelonging,''' is a tritagonist (at best) in Re:Symphony. Yupinh is played by [[User:Tanager|tanager]].
==Physical Description==
Yupinh is burgundy-blooded troll with long black hair and tinted sunglasses that always mimic her somewhat skeptical facial expression. It commonly wears a burgundy jacket that hangs off of one shoulder, and a black shirt with a burgundy symbol of a heartbeat on a ECG.
==Etymology==
Yupinh's name comes from "yiuppi," which is a a misspelling/mispronunciation of the exclamation "yippee" made in a [https://youtu.be/v3EIENdwj2I?si=9ydyB5zlzO6Lto4a&t=1132 wayneradiotv Youtube video]. Yupinh's surname is not currently known.
==Biography==
Not much is known about Yupinh's life before joining the chatroom. She seems to have been "full of ghosts" for some time before joining the chatroom.
Yupinh joined the chatroom after seemingly randomly typing a link to it.
==Personality and Traits==
==Relationships==
Yupinh has not yet formed many close relationships with other members of the chatroom, besides generally being standoffish against highblood members of the chat.
Yupinh, due to its connection to ghosts and the dead, has shown an interest in [[Skoozy Mcribb|Skoozy]] after his death, and even invited him to reside within her. It is as of yet unknown if and how their relationship has developed from this point.
==Trivia==
*Yupinh is the first fantroll tanager ever created.
*Yupinh's quirk originated as using a style of speaking mimicking Spamton from Deltarune, using a set of brackets to make an interjection.
*Yupinh likes to make art, but rarely has the focus or ability to make cohesive pieces.
**These art projects often manifest as references to real art. This lead to Yupinh claiming she painted a picture of a 3D model of Hagrid from the Playstation 1 Harry Potter game, which is [[User:Onepeachymo|peachy's]] favorite Yupinh moment.
***Yupinh is aware of peachy, and aware that this is their favorite Yupinh moment. When asked how Yupinh felt about this, it offered [No Comment].
==Gallery==
<gallery widths=200px heights=150px>
File:Yupinh.png|Yupinh's original sprite.
File:Get-it-yupinh.gif|GET IT YUPINH
File:Real slim shady.png|Yupinh smoking weed with a troll legend (not canon).
File:Ps1-hagrid.jpg|"i PAINTED this [When We Were Young]"
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
1c82ec9ab3cd4a4bb61fbb04e77bcacf0c96693e
Yupinh/Infobox
0
37
279
277
2023-10-21T16:31:59Z
Tanager
7
wikitext
text/x-wiki
{{Character Infobox
|name = Yupinh
|symbol = [[File:ECG.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = [[File:Yupinh.png]]
|caption = {{RS quote|burgundyblood| my name is '''MY NAME IS''' *our name is* ''my name is'' [Call Me At] yupinh}}
|intro = August 16, 2022
|title = {{Classpect|Doom|Seer}}
|age = {{Age|10}}
|gender = She/it/any (genderqueer)
|status = Alive?
|screenname = gorgeousBelonging
|style = Somewhat scattered:
*[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
*'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
*''Italic words'' are adjectives and adverbs.
* *wordz inn ass ter isks* are misspelled.
|specibus = Planchettekind
|modus = Rotary
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of Calls and Whispers
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Hodgepodge (nickname from Ponzii)
|creator = [[User:Tanager|tanager]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
71f93c99633ef408074a40d880b18b3ae294da91
281
279
2023-10-21T16:46:49Z
Tanager
7
wikitext
text/x-wiki
{{Character Infobox
|name = Yupinh
|symbol = [[File:ECG.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = [[File:Yupinh.png]]
|caption = {{RS quote|rustblood| my name is '''MY NAME IS''' *our name is* ''my name is'' [Call Me At] yupinh}}
|intro = August 16, 2022
|title = {{Classpect|Doom|Seer}}
|age = {{Age|10}}
|gender = She/it/any (genderqueer)
|status = Alive?
|screenname = gorgeousBelonging
|style = Somewhat scattered:
*[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
*'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
*''Italic words'' are adjectives and adverbs.
* *wordz inn ass ter isks* are misspelled.
|specibus = Planchettekind
|modus = Rotary
|relations = [[Skoozy Mcribb|{{RS quote|goldblood|Skoozy Mcribb}}]] - "Symbiotic" Possession
|planet = Land of Calls and Whispers
|likes = Ghosts
Making art
|dislikes = Haughty highbloods
|aka = Yupi
Hodgepodge (nickname from Ponzii)
|creator = [[User:Tanager|tanager]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
02203073c4058e15eb92dae6b9da043b200ac1df
File:Looksi Sprite.png
6
89
283
2023-10-21T16:54:09Z
Wowzersbutnot
5
wikitext
text/x-wiki
Looksi Sprite
98bde60392a53ba2b339d7998fa90dabad290c5e
Main Page
0
1
284
106
2023-10-21T16:57:27Z
2601:410:4300:C720:9D21:CD4D:F302:BE19
0
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
The '''FREE''' online encyclopedia that only '''WE''' can edit!
sup man
yakno for now let's just link our characters here until we get stuff nice and pretty
==Trolls==
[[Calico Drayke|Calico]]
[[Salang Lyubov|Venus]]
[[Anicca Shivuh|Ani]]
[[Knight Galfry|Knight]]
[[Poppie Toppie|Poppie]]
[[Skoozy Mcribb|Skoozy]]
[[Tewkid Bownes|Tewkid]]
[[Paluli Anriqi|Paluli]]
[[Guppie Suamui|Guppie]]
[[Ponzii|Ponzii]]
[[Looksi Gumshu|Looksi]]
[[Pyrrah Kappen|Pyrrah]]
[[Siette Aerien|Siette]]
[[Yupinh|Yupinh]]
[[Skoozeye|Skoozeye]]
==Ancestors==
[[The Fortress|Fortress]]
==Other==
[[Troll|Troll]]
[[Moonbounce|Moonbounce]]
[[Era of Subjugation|Era of Subjugation]]
[[Troll Britain|Troll Britain]]
54ba21e6c7abbd2fd56e4764263c9c51fea29dbe
300
284
2023-10-21T18:51:50Z
Katabasis
6
/* Other */
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
The '''FREE''' online encyclopedia that only '''WE''' can edit!
sup man
yakno for now let's just link our characters here until we get stuff nice and pretty
==Trolls==
[[Calico Drayke|Calico]]
[[Salang Lyubov|Venus]]
[[Anicca Shivuh|Ani]]
[[Knight Galfry|Knight]]
[[Poppie Toppie|Poppie]]
[[Skoozy Mcribb|Skoozy]]
[[Tewkid Bownes|Tewkid]]
[[Paluli Anriqi|Paluli]]
[[Guppie Suamui|Guppie]]
[[Ponzii|Ponzii]]
[[Looksi Gumshu|Looksi]]
[[Pyrrah Kappen|Pyrrah]]
[[Siette Aerien|Siette]]
[[Yupinh|Yupinh]]
[[Skoozeye|Skoozeye]]
==Ancestors==
[[The Fortress|Fortress]]
==Other==
[[Troll|Troll]]
[[Moonbounce|Moonbounce]]
[[Era of Subjugation|Era of Subjugation]]
[[Troll Britain|Troll Britain]]
[[Ancestors]]
5acf66ccbc874831ab2ba084fb2c67256482f659
Module:Page tabs
828
90
285
2023-10-21T17:20:49Z
Mintology
8
Module for setting up separate tabs in wiki entries
Scribunto
text/plain
-- This module implements {{Page tabs}}.
local getArgs = require('Module:Arguments').getArgs
local yesno = require('Module:Yesno')
local p = {}
function p.main(frame)
local args = getArgs(frame)
return p._main(args)
end
function p._main(args)
local makeTab = p.makeTab
local root = mw.html.create()
root:wikitext(yesno(args.NOTOC) and '__NOTOC__' or nil)
local row = root:tag('div')
:css('background', args.Background or '#f8fcff')
:addClass('template-page-tabs')
if not args[1] then
args[1] = '{{{1}}}'
end
for i, link in ipairs(args) do
makeTab(row, link, args, i)
end
return tostring(root)
end
function p.makeTab(root, link, args, i)
local thisPage = (args.This == 'auto' and link:find('[[' .. mw.title.getCurrentTitle().prefixedText .. '|', 1, true)) or tonumber(args.This) == i
root:tag('span')
:css('background-color', thisPage and (args['tab-bg'] or 'white') or (args['tab1-bg'] or '#cee0f2'))
:cssText(thisPage and 'border-bottom:0;font-weight:bold' or 'font-size:95%')
:wikitext(link)
:done()
:wikitext('<span class="spacer"> </span>')
end
return p
1fe0298d1cbadd008d27d27f87e42fb011a07b32
Looksi Gumshu/Infobox
0
35
286
216
2023-10-21T17:26:33Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{Character Infobox
|name = Looksi Gumshu
|symbol = [[File:Libza.png|32px]]
|symbol2 = [[File:Mind.png|32px]]
|complex = [[File:Looksi Sprite.png]]
|caption = {{RS quote|Teal| 𝙲𝚞𝚝 𝚝𝚑𝚎 𝚜𝚑𝚒𝚝 𝙼𝚌𝚛𝚒𝚋𝚋.}}
|intro =
|title = {{Classpect|Mind|Knight}}
|age = {{Age|10.5}}
|gender = He/Him (Male)
|status = Alive
|screenname = phlegmaticInspector
|style = 𝚄𝚜𝚎𝚜 𝚝𝚢𝚙𝚎𝚠𝚛𝚒𝚝𝚎𝚛 𝚏𝚘𝚗𝚝, 𝚊𝚗𝚍 𝚊𝚕𝚜𝚘 𝚑𝚊𝚜 𝚊 𝚐𝚘𝚘𝚍 𝚜𝚎𝚗𝚜𝚎 𝚘𝚏 𝚙𝚞𝚗𝚌𝚝𝚞𝚊𝚝𝚒𝚘𝚗 𝚊𝚗𝚍 𝚐𝚛𝚊𝚖𝚖𝚊𝚛. 𝙼𝚊𝚢 𝚊𝚕𝚜𝚘 𝚜𝚙𝚎𝚊𝚔 𝚒𝚗 𝚍𝚎𝚝𝚎𝚌𝚝𝚒𝚟𝚎 𝚗𝚘𝚒𝚛𝚎 𝚍𝚒𝚊𝚕𝚘𝚐𝚞𝚎.
|specibus = Pistolkind
|modus = Scotch
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Teal|Drewcy/Arsene Ripper}}]] - [[Relation Link Page(ie: )|(EX) Matesprites/Moirails (Dead)]]
[[Character you want to Link to’s URL Name|{{RS quote|Blue|Jonesy Triton}}]] - [[Relation Link Page(ie: )|Assistant (Dead) ]]
|planet = Land of Libraries and Labyrinths
|likes = Cigars, Coffee
|dislikes = Betrayal, Skoozy
|aka = Looker- Arsene
Bossman-[[Ponzii]]
Detective
|creator = Wowz}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
333e394810efc451d57c65f10d9d64b3380889d6
Looksi Gumshu
0
9
287
254
2023-10-21T17:27:14Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{/Infobox}}
'''Looksi Gumshu''', also known by his Moonbounce handle '''phlegmaticInspector''', is one of the trolls in RE: Symphony. His sign is Libza and he is SAD.
==Etymology==
Looksi Gumshu is based on the word 'Look-see' and 'Gumshoe'. Which ties into his occupation of being a Detective. For his handle, Phlegmatic means 'a person having an unemotional and stolidly calm disposition.' As Looksi usually has when he solves a case or his demeanor in general. Inspector is his occupation, for his city, New Troll City. His handle acronyms 'PI' is also a joke on the acronym for Private Investigator.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
Design is based on Almond Cookie from Cookie Run.
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
dc4d180afa5fb5e0b0c4f5a036ea86920204b06e
303
287
2023-10-21T19:14:54Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{/Infobox}}
'''Looksi Gumshu''', also known by his Moonbounce handle '''phlegmaticInspector''', is one of the trolls in RE: Symphony. His sign is Libza.
He joined day one of the server by means of a strange code that he received on his husktop.
==Etymology==
Looksi Gumshu is based on the words 'Look-see' and 'Gumshoe'. Which ties into his occupation of being a Detective. For his handle, Phlegmatic means 'a person having an unemotional and stolidly calm disposition.' As Looksi usually has when he solves a case or his demeanor in general. Inspector is his occupation, for his city, New Troll City. His handle acronyms 'PI' is also a joke on the acronym for Private Investigator.
==Biography==
===Early Life===
Looksi for a good long term of his life was a snarky, alcoholic detective who was amazing at solving crimes, guy could tell someone was lying the second he spoke to them. He worked in the precinct New Troll City and had a huge crush on the Scientific Investigator, Drewcy and the two would work on crimes together as well. It was a partnership both romantically and work wise. At some point during Looksi's career, a young cerulean by the name of Jonesy Triton saw how this bad ass detective would work and wanted to grow up to be him one day. So he pestered and begged to be his assistant to which Looksi (mostly Drewcy just telling him he should do it) agreed. And overtime Looksi dropped his addiction to alcohol as the biggest serial killer case was going on, a teal blood going around killing highbloods. Looksi and gang took on the case, and one day, Jonesy wanted to do more so he begged and cried until Looksi let him investigate on his own and Looksi agreed. He didn't think the kid was going to solve the crime. He thought it was going to be some dead end, but eventually Looksi figured it out too and saw that Jonesy was mere seconds from dying by a trap from the killer. Before Looksi could even say anything- Jonesy gets crushed by the big crate. And the killer is revealed to be none other than Drewcy, or rather their real name. Arsene Ripper. And Looksi because of conflicted feeling lets Arsene go on accident. And ever since then, Looksi Gumshu will not work with anyone or trust anyone ever again.
===Act 1===
==Personality and Traits==
Looksi is a very mature and responsible troll who will do what he can to solve the case at hand. For a good portion of his life he was a drunken bastard with no sense of care for himself but still cared deeply about others in his life. After the Arsene incident, Looksi shut off everyone around him and would carry the burden all by himself, vowing to never trust anyone again. Eventually during his time in the chatroom he is slowly opening up to others and letting them in his life, but he still has doubt and worry over everything, especially since the Skoozy ordeal.
==Relationships==
===Drewcy/Arsene Ripper===
Like stated earlier, Looksi and Arsene have known eachother for years and have worked together as well. The two started out as moirails but then grew into a matespritship. However, it was all unfortunatly one sided due to Arsene being a serial killer and was only using Looksi, to which when Arsene escaped led him down a long and heartbroken path of no longer trusting or loving anyone ever again.
===Jonesy Triton===
Also stated earlier, Jonesy looked up to Looksi as a mentor and wanted to be just like him when he gets older. When Looksi was recovering from his addiction, he and Jonesy did become closer and did care for the little fella. He still has the mug that Jonesy gave him for his wriggling day, A white mug that reads "World's Greatest Detective".
===[[Siette Aerien]]===
The two met in the chatroom and never really cared about what either did, Siette with a bit more hostility due to Looksi being a cop. But after a while, the two became good friends.
==Trivia==
• Design is based on Almond Cookie from Cookie Run.
• Roughly smokes 3 cigars a day. More if he's on the clock or stressed out.
• He can sing really well, as long as it's Franks inatra. (Well known Troll Musician.) Otherwise he will just speak the song or not sing at all.
==Gallery==
[[File:Officer Down!.png|200px]]
[[File:Looksi at his office.png|200px]]
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
891f5404298a6fef54d0f5a559f99d8d8c60ae81
306
303
2023-10-21T19:22:57Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{/Infobox}}
'''Looksi Gumshu''', also known by his Moonbounce handle '''phlegmaticInspector''', is one of the trolls in RE: Symphony. His sign is Libza.
He joined day one of the server by means of a strange code that he received on his husktop.
==Etymology==
Looksi Gumshu is based on the words 'Look-see' and 'Gumshoe'. Which ties into his occupation of being a Detective. For his handle, Phlegmatic means 'a person having an unemotional and stolidly calm disposition.' As Looksi usually has when he solves a case or his demeanor in general. Inspector is his occupation, for his city, New Troll City. His handle acronyms 'PI' is also a joke on the acronym for Private Investigator.
==Biography==
===Early Life===
Looksi for a good long term of his life was a snarky, alcoholic detective who was amazing at solving crimes, guy could tell someone was lying the second he spoke to them. He worked in the precinct New Troll City and had a huge crush on the Scientific Investigator, Drewcy and the two would work on crimes together as well. It was a partnership both romantically and work wise. At some point during Looksi's career, a young cerulean by the name of Jonesy Triton saw how this bad ass detective would work and wanted to grow up to be him one day. So he pestered and begged to be his assistant to which Looksi (mostly Drewcy just telling him he should do it) agreed. And overtime Looksi dropped his addiction to alcohol as the biggest serial killer case was going on, a teal blood going around killing highbloods. Looksi and gang took on the case, and one day, Jonesy wanted to do more so he begged and cried until Looksi let him investigate on his own and Looksi agreed. He didn't think the kid was going to solve the crime. He thought it was going to be some dead end, but eventually Looksi figured it out too and saw that Jonesy was mere seconds from dying by a trap from the killer. Before Looksi could even say anything- Jonesy gets crushed by the big crate. And the killer is revealed to be none other than Drewcy, or rather their real name. Arsene Ripper. And Looksi because of conflicted feeling lets Arsene go on accident. And ever since then, Looksi Gumshu will not work with anyone or trust anyone ever again.
===Act 1===
==Personality and Traits==
Looksi is a very mature and responsible troll who will do what he can to solve the case at hand. For a good portion of his life he was a drunken bastard with no sense of care for himself but still cared deeply about others in his life. After the Arsene incident, Looksi shut off everyone around him and would carry the burden all by himself, vowing to never trust anyone again. Eventually during his time in the chatroom he is slowly opening up to others and letting them in his life, but he still has doubt and worry over everything, especially since the Skoozy ordeal.
==Relationships==
===Drewcy/Arsene Ripper===
Like stated earlier, Looksi and Arsene have known eachother for years and have worked together as well. The two started out as moirails but then grew into a matespritship. However, it was all unfortunatly one sided due to Arsene being a serial killer and was only using Looksi, to which when Arsene escaped led him down a long and heartbroken path of no longer trusting or loving anyone ever again.
===Jonesy Triton===
Also stated earlier, Jonesy looked up to Looksi as a mentor and wanted to be just like him when he gets older. When Looksi was recovering from his addiction, he and Jonesy did become closer and did care for the little fella. He still has the mug that Jonesy gave him for his wriggling day, A white mug that reads "World's Greatest Detective".
===[[Siette Aerien]]===
The two met in the chatroom and never really cared about what either did, Siette with a bit more hostility due to Looksi being a cop. But after a while, the two became good friends.
==Trivia==
• Design is based on Almond Cookie from Cookie Run.
• Roughly smokes 3 cigars a day. More if he's on the clock or stressed out.
• He can sing really well, as long as it's Franks inatra. (Well known Troll Musician.) Otherwise he will just speak the song or not sing at all.
==Gallery==
[[File:Officer Down!.png|200px]]
[[File:Looksi at his office.png|200px]]
[[File:The Hell?.png|200px|Don't tell him.]]
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
2bfedc71809e998c88a5d1c71d5d3e30310aa3cf
307
306
2023-10-21T19:23:13Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{/Infobox}}
'''Looksi Gumshu''', also known by his Moonbounce handle '''phlegmaticInspector''', is one of the trolls in RE: Symphony. His sign is Libza.
He joined day one of the server by means of a strange code that he received on his husktop.
==Etymology==
Looksi Gumshu is based on the words 'Look-see' and 'Gumshoe'. Which ties into his occupation of being a Detective. For his handle, Phlegmatic means 'a person having an unemotional and stolidly calm disposition.' As Looksi usually has when he solves a case or his demeanor in general. Inspector is his occupation, for his city, New Troll City. His handle acronyms 'PI' is also a joke on the acronym for Private Investigator.
==Biography==
===Early Life===
Looksi for a good long term of his life was a snarky, alcoholic detective who was amazing at solving crimes, guy could tell someone was lying the second he spoke to them. He worked in the precinct New Troll City and had a huge crush on the Scientific Investigator, Drewcy and the two would work on crimes together as well. It was a partnership both romantically and work wise. At some point during Looksi's career, a young cerulean by the name of Jonesy Triton saw how this bad ass detective would work and wanted to grow up to be him one day. So he pestered and begged to be his assistant to which Looksi (mostly Drewcy just telling him he should do it) agreed. And overtime Looksi dropped his addiction to alcohol as the biggest serial killer case was going on, a teal blood going around killing highbloods. Looksi and gang took on the case, and one day, Jonesy wanted to do more so he begged and cried until Looksi let him investigate on his own and Looksi agreed. He didn't think the kid was going to solve the crime. He thought it was going to be some dead end, but eventually Looksi figured it out too and saw that Jonesy was mere seconds from dying by a trap from the killer. Before Looksi could even say anything- Jonesy gets crushed by the big crate. And the killer is revealed to be none other than Drewcy, or rather their real name. Arsene Ripper. And Looksi because of conflicted feeling lets Arsene go on accident. And ever since then, Looksi Gumshu will not work with anyone or trust anyone ever again.
===Act 1===
==Personality and Traits==
Looksi is a very mature and responsible troll who will do what he can to solve the case at hand. For a good portion of his life he was a drunken bastard with no sense of care for himself but still cared deeply about others in his life. After the Arsene incident, Looksi shut off everyone around him and would carry the burden all by himself, vowing to never trust anyone again. Eventually during his time in the chatroom he is slowly opening up to others and letting them in his life, but he still has doubt and worry over everything, especially since the Skoozy ordeal.
==Relationships==
===Drewcy/Arsene Ripper===
Like stated earlier, Looksi and Arsene have known eachother for years and have worked together as well. The two started out as moirails but then grew into a matespritship. However, it was all unfortunatly one sided due to Arsene being a serial killer and was only using Looksi, to which when Arsene escaped led him down a long and heartbroken path of no longer trusting or loving anyone ever again.
===Jonesy Triton===
Also stated earlier, Jonesy looked up to Looksi as a mentor and wanted to be just like him when he gets older. When Looksi was recovering from his addiction, he and Jonesy did become closer and did care for the little fella. He still has the mug that Jonesy gave him for his wriggling day, A white mug that reads "World's Greatest Detective".
===[[Siette Aerien]]===
The two met in the chatroom and never really cared about what either did, Siette with a bit more hostility due to Looksi being a cop. But after a while, the two became good friends.
==Trivia==
• Design is based on Almond Cookie from Cookie Run.
• Roughly smokes 3 cigars a day. More if he's on the clock or stressed out.
• He can sing really well, as long as it's Franks Inatra. (Well known Troll Musician.) Otherwise he will just speak the song or not sing at all.
==Gallery==
[[File:Officer Down!.png|200px]]
[[File:Looksi at his office.png|200px]]
[[File:The Hell?.png|200px|Don't tell him.]]
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
b917019e00c46e4f03c08a870e21cab2dec99046
User:Mintology
2
91
288
2023-10-21T17:30:39Z
Mintology
8
Created page with "What are you, a cop?"
wikitext
text/x-wiki
What are you, a cop?
0f4ac932117e53b17474e5792dfdfa1178c93ef5
User talk:Mintology
3
92
289
2023-10-21T17:33:11Z
Mintology
8
Created page with "{{pp-semi|small=yes}} {{skiptotoc}} {{tmbox | type = content | image = [[File:Ambox warning yellow.svg|70px|left]] | imageright = [[File:Ambox warning yellow.svg|70px|left]] | textstyle = text-align: center; font-size: 150%; line-height: 150%; | text =Please '''do not''' post anything about other Wikipedia articles here. This page is only for discussing the help page on using talk pages. Every article has its own talk page; if you want to discuss subjects relating to an..."
wikitext
text/x-wiki
{{pp-semi|small=yes}}
{{skiptotoc}}
{{tmbox
| type = content
| image = [[File:Ambox warning yellow.svg|70px|left]]
| imageright = [[File:Ambox warning yellow.svg|70px|left]]
| textstyle = text-align: center; font-size: 150%; line-height: 150%;
| text =Please '''do not''' post anything about other Wikipedia articles here. This page is only for discussing the help page on using talk pages. Every article has its own talk page; if you want to discuss subjects relating to an article, please post it on the article's own talk page, not here. If you have a general question about Wikipedia, visit our '''[[WP:QUESTIONS|main help contents]]'''.
}}
{{talkheader|search=yes}}
{{Help Project|class=B|importance=top}}
{{User:MiszaBot/config
|archiveheader = {{talk archive navigation}}
|maxarchivesize = 70K
|counter = 4
|minthreadsleft = 6
|minthreadstoarchive = 1
|algo = old(60d)
|archive = Help talk:Talk pages/Archive %(counter)d
}}
{{User:HBC Archive Indexerbot/OptIn
|target=/Archive index
|mask=/Archive <#>
|leading_zeros=0
|indexhere=yes
}}
{{metatalk}}
c2cb3f9f7f8007bc3d6c226c3e8e6487d270bb10
290
289
2023-10-21T17:33:56Z
Mintology
8
/* Wrow */ new section
wikitext
text/x-wiki
{{pp-semi|small=yes}}
{{skiptotoc}}
{{tmbox
| type = content
| image = [[File:Ambox warning yellow.svg|70px|left]]
| imageright = [[File:Ambox warning yellow.svg|70px|left]]
| textstyle = text-align: center; font-size: 150%; line-height: 150%;
| text =Please '''do not''' post anything about other Wikipedia articles here. This page is only for discussing the help page on using talk pages. Every article has its own talk page; if you want to discuss subjects relating to an article, please post it on the article's own talk page, not here. If you have a general question about Wikipedia, visit our '''[[WP:QUESTIONS|main help contents]]'''.
}}
{{talkheader|search=yes}}
{{Help Project|class=B|importance=top}}
{{User:MiszaBot/config
|archiveheader = {{talk archive navigation}}
|maxarchivesize = 70K
|counter = 4
|minthreadsleft = 6
|minthreadstoarchive = 1
|algo = old(60d)
|archive = Help talk:Talk pages/Archive %(counter)d
}}
{{User:HBC Archive Indexerbot/OptIn
|target=/Archive index
|mask=/Archive <#>
|leading_zeros=0
|indexhere=yes
}}
{{metatalk}}
== Wrow ==
I thiunk i figured out discussion pages. maybe
b388ed3bb6d8b4f98f366fc6255737a8525f96ea
291
290
2023-10-21T17:34:12Z
Mintology
8
Replaced content with "== Wrow == I thiunk i figured out discussion pages. maybe"
wikitext
text/x-wiki
== Wrow ==
I thiunk i figured out discussion pages. maybe
da9a498dd2c4726759be4f208e47cbe6b461ebd0
292
291
2023-10-21T17:35:05Z
Mintology
8
wikitext
text/x-wiki
== Why hello there ==
You appear to have discovered my. discussions
1c697c598c95545a14a754f8ee54abed5def428c
293
292
2023-10-21T17:38:01Z
Mintology
8
/* Ok ok ok */ new section
wikitext
text/x-wiki
== Why hello there ==
You appear to have discovered my. discussions
== Ok ok ok ==
So you type the Shit in and then you hit the signature button next to the hyperlink. easy--[[User:Mintology|Mintology]] ([[User talk:Mintology|talk]]) 17:38, 21 October 2023 (UTC)
cd003812386bf0dc100fad72c5e5bb9c4ad620da
File:Looksi at his office.png
6
93
294
2023-10-21T18:16:36Z
Wowzersbutnot
5
wikitext
text/x-wiki
Looksi at his office
5832e4b2312cf74818ec7380be1b3fdda9b21a48
File:Officer Down!.png
6
94
295
2023-10-21T18:18:37Z
Wowzersbutnot
5
wikitext
text/x-wiki
Officer Down!
1ba7e9c647ac49de081192755165e0df36180e61
File:Leus.png
6
95
296
2023-10-21T18:22:37Z
Mintology
8
Leus from the extended zodiac - Oliveblood Prospit Breath
wikitext
text/x-wiki
== Summary ==
Leus from the extended zodiac - Oliveblood Prospit Breath
5ffa673948e2d753f0761c4160999a05a993e10e
297
296
2023-10-21T18:25:22Z
Mintology
8
Mintology uploaded a new version of [[File:Leus.png]]
wikitext
text/x-wiki
== Summary ==
Leus from the extended zodiac - Oliveblood Prospit Breath
5ffa673948e2d753f0761c4160999a05a993e10e
File:Gibush sprite.png
6
96
298
2023-10-21T18:30:43Z
Mintology
8
It's Gibush! Throw him 500 km
wikitext
text/x-wiki
== Summary ==
It's Gibush! Throw him 500 km
576f9b8949728591180a6428f6e62cbd1ecb86ff
Knight Galfry
0
18
299
269
2023-10-21T18:42:20Z
Katabasis
6
wikitext
text/x-wiki
{{/infobox}}
== Knight Galfry ==
Knight Galfry, possesséd of the [[Moonbounce]] username '''chivalrousCavalier''', is one of the [[trolls]] in [[Re:Symphony]]. She is approximately nine solar sweeps old, although her exact birthdate is unknown, and she is a '''Knight of Hope''', and - formerly - a '''prospit''' dreamer. Her ancestor was [[The Fortress]]. Her lusus was a chitinous barkingbeast, whom used to belong to her ancestor. She mercy killed it on its request some time during her late teenagehood.
Knight joined the conference on 4/8/2023 ([[British]] notation), when she found a mysterious satellite dish on the shore of the island she lives, and is imprisoned, on.
==Etymology==
'Knight' is a noun usually referring to an armoured individual from the medieval era. 'Galfry' is a corruption of 'Belfry', a reference to the two Belfry areas in Dark Souls II. 'Gal' can also be used as a slang term for a girl.
Given that Knight's ancestor's birth name was Knight Avalon, it can be assumed that the first name carries the ancestral significance in Knight's line, in inverse of typical Alternian tradition.
==Biography==
=== Early Life ===
Knight does not recall any of her life prior to turning five sweeps of age.
=== Act 1 ===
Knight killed her lusus at approximately the same time as [[The Party]].
=== Act ??? (Present) ===
* Knight recovered a satellite dish, which allowed her to connect to the internet, and also forced her into [[Moonbounce]]. She was greeted initially by [[Barise Klipse]], until a storm forced her connection to close. These storms are apparently a frequent asset of Knight's island.
* She printed off some sheets of paper and read up on popular culture that she was unfamiliar with.
* The [[Skoozeye]] washed up on her isle, and began developing its juju curse. Knight's paranoia began to intensify.
* Knight goes out drinking with several members of the chat, via momentarily hopping onto [[Calico Drayke]]'s ship. This night ends badly for all involved.
* Knight reveals to the chatroom that she dreams in an [https://mspaintadventures.fandom.com/wiki/Furthest_Ring abyssal void] filled with terrible beasts.
* Knight is further tormented by the Skoozeye.
* [[Auryyx Osimos]] accurately states that Knight killed her lusus, causing her to have a panic attack and accuse [[Anatta Tereme]] of using the group conference as a farm to manufacture exotic blood.
* Knight snaps during a dream and tears one of the terrible beasts to shreds. Inexplicably, its blood remains on her even when she wakes up.
* Knight messages [[Shikki]] to ask about Tewkid's condition. Shikki is weirded out by this.
* Knight writes a letter to [[Siinix Auctor]], and delivers it to her via [[Poppie Toppie]]'s absentee lusus.
* [[Leksee Sirrus]] visits Knight's island and builds her a hoverbike. Knight is terrified that he is going to kill her.
* Knight recieves Siinix's reply, and gets a bit gay about it.
Knight lives on an island slightly off the coast of the [[Sovereign Shores]], alone. She maintains regular contact with the [[Moonbounce]] group chat via a shaky internet connection, which is frequently interrupted by the violent storms which plague her island. She is able to leave the island, in short distances, via a hoverbike constructed for her by [[Leksee Sirrus]]. She is concurrently penpals with [[Siinix Auctor]].
==Personality and Traits==
Knight is a very boisterous and cavalier individual, who, verbally, speaks in a dialect that is approximately fit for the 18th or 19th centuries. However, she uses a fully archaic set of pronouns, such as 'thee', 'thy', 'thou', and their permutations. She also occasionally uses the royal 'one', 'oneself', and 'we'. She appends c=|===> to the beginning of her messages, types in all capitals, and bolds her text. These permutations disappear when she speaks without her helmet on, which is rarely.
Knight is blind in her right eye, and has many scars, due to several mutant genes. She is, however, almost impossible to kill.
Knight is afflicted with an intense paranoia that those around her dislike her or are plotting to kill her. This has been recently worsened by the [[Skoozeye]].
==Relationships==
* [[Tewkid Bownes]] gifted Knight his old palmhusk. She believes that he hates her, due to an unfortunate overextension of taste during their first meeting.
* [[Siinix Auctor]] maintains regular communiqué with Knight via a pen-pal scheme. Knight has a red crush on her.
* [[Awoole Fenrir]] tolerates Knight. She is the only blueblood that this tolerance applies to.
* [[Leksee Sirrus]] built Knight a hoverbike. Knight has a mixed pale-red crush on him.
* [[Aquett Aghara]] irritates Knight to no end, but he is very hot, and she has a black crush on him.
* Knight considers [[Barise Klipse]], [[Mabuya Arnava]], [[Serceu Vasper]], [[Miette]], [[Siette Airien]], [[Paluli Anriqi]] and [[Harfil Myches]] to be friends of hers.
* Knight dislikes [[Auryyx Osimos]], [[Skoozy Mcribb]], [[Pyrrah Kappen]], [[Guppie Suamui]] and [[Anatta Tereme]].
* Knight thinks she has burned her bridges with [[Anicca Shivuh]], [[Tewkid Bownes]], and [[Shikki]]. It is unclear if she is correct in this assumption.
==Trivia==
* Knight does not remove her armour anymore due to the presence of the Skoozeye.
* Knight is in denial about being gay.
* Knight's blood colour is millimeters away from her being considered a Purpleblood.
* Knight could take Aquett.
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
105e5c1b9dd625f9efb720c7104ca6940cacb88d
User:Wowzersbutnot
2
97
301
2023-10-21T19:03:18Z
Wowzersbutnot
5
Created page with "i just work here idk"
wikitext
text/x-wiki
i just work here idk
3557ffb7ab14f7e1884db52525cf453b334f2f39
File:La Fortezza.png
6
98
302
2023-10-21T19:13:37Z
Katabasis
6
knight's evil grandma who did slavery
wikitext
text/x-wiki
== Summary ==
knight's evil grandma who did slavery
a2d34a5186491a5cd9fbde44a16e04a5987c3f17
File:Fortezzasign.png
6
99
304
2023-10-21T19:16:47Z
Katabasis
6
SORD
wikitext
text/x-wiki
== Summary ==
SORD
d40c6264a875317763b932141214dc2ecbd54fec
File:The Hell?.png
6
100
305
2023-10-21T19:22:13Z
Wowzersbutnot
5
wikitext
text/x-wiki
Based on a Almond Cookie shitpost.
0fa9283c516d30b5b5478fdaeeb791d49c444f34
La Fortezza
0
101
308
2023-10-21T19:31:19Z
Katabasis
6
Redirected page to [[Special:MyLanguage/The Fortress]]
wikitext
text/x-wiki
#REDIRECT [[Special:MyLanguage/The Fortress|</nowiki>The Fortress]]
f41c852182fd15aed10610de532b4f6fda792c5d
File:Ponzii Sprite.png
6
102
309
2023-10-21T19:31:46Z
Wowzersbutnot
5
wikitext
text/x-wiki
Ponzii P)
d6e45d8f5edec9bf4fec5bfe1018a7807308a3c8
The Wretched
0
103
310
2023-10-21T19:31:51Z
Katabasis
6
Created page with "The Wretched is [[Poppie Toppie]]'s ancestor. Their name was Nosferat Dyrakula, and they were a mildly unhinged and very twisted revolutionary who disguised themself as members of other castes to sow distrust and hatred amongst those around them. A direct subsidiary of [[La Fortezza.]]."
wikitext
text/x-wiki
The Wretched is [[Poppie Toppie]]'s ancestor. Their name was Nosferat Dyrakula, and they were a mildly unhinged and very twisted revolutionary who disguised themself as members of other castes to sow distrust and hatred amongst those around them. A direct subsidiary of [[La Fortezza.]].
87ab12c37908e0b8a61958c03097fa735d7f3fe1
311
310
2023-10-21T19:32:07Z
Katabasis
6
wikitext
text/x-wiki
The Wretched is [[Poppie Toppie]]'s ancestor. Their name was Nosferat Dyrakula, and they were a mildly unhinged and very twisted revolutionary who disguised themself as members of other castes to sow distrust and hatred amongst those around them. A direct subsidiary of [[La Fortezza]].
e85f0aa0886448d1e69ff3a43fd8e5a0c2080291
Gibush Threwd/Infobox
0
104
312
2023-10-21T19:34:56Z
Mintology
8
Created page with "{{Character Infobox |name = Gibush Threwd |symbol = [[File:Leus.png|32px]] |symbol2 = [[File:Aspect_Breath.png|32px]] |complex = [[File:Gibush_sprite.png]] |caption = {{RS quote|oliveblood03| it's Gross! it's dirt! it should not be consumed!}} |intro = 04/16/2022 |title = {{Classpect|Breath|Heir}} |age = {{Age|13}} |gender = He/They (Some dude) |status = Alive |screenname = traipsingWindjammer |style = Capitalizes all G's |specibus = Bladekind, Pistolkind |modus = Pants..."
wikitext
text/x-wiki
{{Character Infobox
|name = Gibush Threwd
|symbol = [[File:Leus.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = [[File:Gibush_sprite.png]]
|caption = {{RS quote|oliveblood03| it's Gross! it's dirt! it should not be consumed!}}
|intro = 04/16/2022
|title = {{Classpect|Breath|Heir}}
|age = {{Age|13}}
|gender = He/They (Some dude)
|status = Alive
|screenname = traipsingWindjammer
|style = Capitalizes all G's
|specibus = Bladekind, Pistolkind
|modus = Pants
|relations = [[Picaroon|{{RS quote|oliveblood03|The Picaroon}}]] - [[Ancestors|Ancestor]]
|planet = Land of Enclaves and Westerlies
|likes = The taste of adventure<br />Obtuse riddles
|dislikes = Approaching obscurity
|aka = Sails
|creator = User:mintology|mintology}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
4e367375f49598a7c55b4923b3d3c9d695c9feeb
Siette Aerien/Infobox
0
106
314
2023-10-21T19:38:08Z
HowlingHeretic
3
Created page with "{{Character Infobox |name = Siette Aerien |symbol = [[File:CharactersSign.png|32px]] |symbol2 = [[File:Aspect_CharactersAspect.png|32px]] |complex = [[File:CharactersSprite.png]] |caption = {{RS quote|purple| character quote that you want underneath their picture}} |intro = day they joined server |title = {{Classpect|Rage|Witch}} |age = {{Age|9.5}} |gender = She/They (Female) |status = Alive </br> Traveling |screenname = balefulAcrobat |style = Replaces "E" with "3", and..."
wikitext
text/x-wiki
{{Character Infobox
|name = Siette Aerien
|symbol = [[File:CharactersSign.png|32px]]
|symbol2 = [[File:Aspect_CharactersAspect.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|purple| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Rage|Witch}}
|age = {{Age|9.5}}
|gender = She/They (Female)
|status = Alive </br>
Traveling
|screenname = balefulAcrobat
|style = Replaces "E" with "3", and "S" with "5". Primarily types in lowercase.
|specibus = Axekind </br>
Former: Whipkind
|modus = Charades
|relations = [[Mabuya Arnava|{{RS quote|Violet|Mabuya Arnava}}]] - [[Matesprits|Matesprit]] </br>
[[The Headsman|{{RS quote|purple|The Headsman}}]] - [[Ancestors|Ancestor]]
|planet = Land of Mirage and Storm
|likes = Faygo </br>
Murder </br
|dislikes = dislikes, or not
|aka = Sisi, Strawberry
|creator = [https://howlingheretic.tumblr.com/tagged/fantroll HowlingHeretic]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
2217b262a0c36ded7474fd7cf58f3592889ca80c
File:Taurlo.png
6
107
315
2023-10-21T19:38:38Z
Wowzersbutnot
5
wikitext
text/x-wiki
Ponzii sign
3a135d31ddc67ac62fd69ae13cc2676aa655b0b9
The Fortress/infobox
0
108
316
2023-10-21T19:47:05Z
Katabasis
6
Created page with " {{Character Infobox |name = Fortezza-Generalé Galagaci Gravelaw |symbol = [[File:Fortezzasign.png|32px]] |symbol2 = [[File:Aspect_Rage.png|32px]] |complex = [[File:La_Fortezza.png|300px]] |caption = {{RS quote|#4C00FF|<big><nowiki>==|====I a reckoning shall not be postponed indefinitely.</nowiki></big> }} |intro = N/A |title = {{Classpect|Rage|Knight}} |age = Hundreds of Sweeps |gender = She/Her (Woman) |status = Gone |screenname = The Fortress |style = Speaks in <bi..."
wikitext
text/x-wiki
{{Character Infobox
|name = Fortezza-Generalé Galagaci Gravelaw
|symbol = [[File:Fortezzasign.png|32px]]
|symbol2 = [[File:Aspect_Rage.png|32px]]
|complex = [[File:La_Fortezza.png|300px]]
|caption = {{RS quote|#4C00FF|<big><nowiki>==|====I a reckoning shall not be postponed indefinitely.</nowiki></big>
}}
|intro = N/A
|title = {{Classpect|Rage|Knight}}
|age = Hundreds of Sweeps
|gender = She/Her (Woman)
|status = Gone
|screenname = The Fortress
|style = Speaks in <big>heading text</big>, in lowercase.
|specibus = Bladekind
|modus = Hoard
|relations = [[Knight Galfry|{{RS quote|#4C00FF|Knight Galfry}}]] - [[Descendant|Descendant]]
[[The Wretched|{{RS quote|#3B00FF|Nosferat Dyrakula}}]] - Military Subsidiary
|likes = Order.
|dislikes = ''Fish.''
|aka = Knight Avalon
|creator = [[user:Katabasis]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
1c1ad32ca76e7ce07a936f9e50fab49427aec442
The Fortress
0
24
317
90
2023-10-21T19:47:52Z
Katabasis
6
wikitext
text/x-wiki
{{/infobox}}
== The Fortress ==
La Fortezza-Generalè Galagaci Gravelaw - birthname Knight Avalon - is the ancestor of [[Knight Galfry]]. She is one of the primary villains of the [[Era of Subjugation]], as well as arguably one of its main causes. She speaks in heading text, in lowercase, and appends a ==|====I greatsword to the starts of her messages.
== Plot ==
===== Early Life =====
Knight Avalon was enlisted at an early age into the Alternian military and rose through the ranks over many centuries. She became a very highly-respected war hero, in the vein of Napoleon Bonaparte, not to be confused with Napoln Bonart, who does also canonically exist. She also, at some point, adopted [[Little Squire]], a young wriggler who she used as a scribe.
She faked her death shortly after Princeps [[Pomuvi]] ordered her to be investigated for revolutionary activity, using [[The Wretched]] to pin the blame on aggrieved and jealous violetbloods. This caused the rumblings of a global revolution between the land-dwelling highbloods and seadwellers, which would later burgeon into a war that began the [[Era of Subjugation]].
Later, she sent missives to some revolutionary sympathetics, such as [[The Mechanic]], [[The Headsman]], [[The Merchant]], and [[The Domestic]].
ba4b7d0f6b1b7d313995f9444694f5c2bbf45b5c
Ponzii
0
10
318
253
2023-10-21T20:02:32Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{/Infobox}}
'''Ponzii ??????''', also known by their Moonbounce handle '''acquisitiveSupreme''', is one of the trolls in RE: Symphony. Their fake symbol they wear is Tauricorn however, their true sign is Taurlo and they are just. a silly little thing. P)
==Etymology==
Ponzii is based on Ponzi Schemes as they are a thief/scammer. For their handle, Acquisitive means 'excessively interested in acquiring money or material things.' Which ties into their obsession of money and other things they can get their hands on. Supreme for both a joke on the expensive brand 'Supreme' and that they're very good at stealing.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
e3078c8e7e2558807166c4942f07403aec929102
Ponzii ??????/Infobox
0
109
319
2023-10-21T20:05:02Z
Wowzersbutnot
5
Created page with "{{Character Infobox |name = Ponzii ?????? |symbol = [[File:Taurlo.png|32px]] |symbol2 = [[File:Heart.png|32px]] |complex = [[File:Ponzii Sprite.png]] |caption = {{RS quote|brown|and t#en i wink at t#e camera}} |intro = |title = {{Classpect|Heart|Thief}} |age = {{Age|8.7}} |gender = Any (Nonbinary) |status = Alive |screenname = acquisitiveSupreme |style = Does not give a fuck about spelling,grammar,punctuation. also replaces 'h' with #. |specibus = Daggerkind |modus = Me..."
wikitext
text/x-wiki
{{Character Infobox
|name = Ponzii ??????
|symbol = [[File:Taurlo.png|32px]]
|symbol2 = [[File:Heart.png|32px]]
|complex = [[File:Ponzii Sprite.png]]
|caption = {{RS quote|brown|and t#en i wink at t#e camera}}
|intro =
|title = {{Classpect|Heart|Thief}}
|age = {{Age|8.7}}
|gender = Any (Nonbinary)
|status = Alive
|screenname = acquisitiveSupreme
|style = Does not give a fuck about spelling,grammar,punctuation. also replaces 'h' with #.
|specibus = Daggerkind
|modus = Memory
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Red|Cherie}}]] - [[Relation Link Page(Matesprit)|Matesprit (Dead)]]
|planet = Land of Affection and Roses
|likes = Money, Shiny Things
|dislikes = Sand
|aka = Ponz [[Siette Aerien|(Siette)]]
Zii [[Anicca Shivuh|(Anicca)]]
Pawnshop [[Skoozy Mcribb|(Skoozy)]]
Zizi (Mabuya)
|creator = Wowz}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
d24cabadac3074137d9b113f8ba4d4e67999fbcd
320
319
2023-10-21T20:09:43Z
Wowzersbutnot
5
Wowzersbutnot moved page [[Ponzii/Infobox]] to [[Ponzii ??????/Infobox]]
wikitext
text/x-wiki
{{Character Infobox
|name = Ponzii ??????
|symbol = [[File:Taurlo.png|32px]]
|symbol2 = [[File:Heart.png|32px]]
|complex = [[File:Ponzii Sprite.png]]
|caption = {{RS quote|brown|and t#en i wink at t#e camera}}
|intro =
|title = {{Classpect|Heart|Thief}}
|age = {{Age|8.7}}
|gender = Any (Nonbinary)
|status = Alive
|screenname = acquisitiveSupreme
|style = Does not give a fuck about spelling,grammar,punctuation. also replaces 'h' with #.
|specibus = Daggerkind
|modus = Memory
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Red|Cherie}}]] - [[Relation Link Page(Matesprit)|Matesprit (Dead)]]
|planet = Land of Affection and Roses
|likes = Money, Shiny Things
|dislikes = Sand
|aka = Ponz [[Siette Aerien|(Siette)]]
Zii [[Anicca Shivuh|(Anicca)]]
Pawnshop [[Skoozy Mcribb|(Skoozy)]]
Zizi (Mabuya)
|creator = Wowz}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
d24cabadac3074137d9b113f8ba4d4e67999fbcd
Ponzii/Infobox
0
110
321
2023-10-21T20:09:43Z
Wowzersbutnot
5
Wowzersbutnot moved page [[Ponzii/Infobox]] to [[Ponzii ??????/Infobox]]
wikitext
text/x-wiki
#REDIRECT [[Ponzii ??????/Infobox]]
f2380680b01811031e3b648f63ff7759fc400587
File:Aries.png
6
111
322
2023-10-21T20:24:35Z
HowlingHeretic
3
True Aries | Sign of the Excavator
wikitext
text/x-wiki
== Summary ==
True Aries | Sign of the Excavator
7f9c538fd3f0770dadbd712a31634abc864f758d
File:Argo.png
6
115
326
2023-10-21T20:28:09Z
HowlingHeretic
3
Argo | Sign of the Zenith
wikitext
text/x-wiki
== Summary ==
Argo | Sign of the Zenith
521ccb7038c2f32f12a52be85c5e94852b977599
File:Ariborn.png
6
116
327
2023-10-21T20:29:02Z
HowlingHeretic
3
Ariborn | Sign of the Escapee
wikitext
text/x-wiki
== Summary ==
Ariborn | Sign of the Escapee
d8a7a0f8d47eb5940f154536bca9d7a69c5761c9
File:Aricorn.png
6
117
328
2023-10-21T20:30:04Z
HowlingHeretic
3
Aricorn | Sign of the Runaway
wikitext
text/x-wiki
== Summary ==
Aricorn | Sign of the Runaway
4d5a391dc3da44708ed26617824ac5564b519b55
File:Arist.png
6
118
329
2023-10-21T20:30:29Z
HowlingHeretic
3
Arist | Sign of the Headstrong
wikitext
text/x-wiki
== Summary ==
Arist | Sign of the Headstrong
e748cc416eca650a9fc6e1dffa2e534428c09e56
File:Arittarius.png
6
120
331
2023-10-21T20:46:38Z
HowlingHeretic
3
Arittarius | Sign of the Astronaut
wikitext
text/x-wiki
== Summary ==
Arittarius | Sign of the Astronaut
17bc5881e4bc8fc91dcc11ac311be4ab083857f5
File:Arlo.png
6
121
332
2023-10-21T20:47:03Z
HowlingHeretic
3
Arlo | Sign of the Mirage
wikitext
text/x-wiki
== Summary ==
Arlo | Sign of the Mirage
110a8a28ab0a3222c232b3c13f4d59a7d5295480
File:Armini.png
6
122
333
2023-10-21T20:48:23Z
HowlingHeretic
3
Armini | Sign of the Reconciler
wikitext
text/x-wiki
== Summary ==
Armini | Sign of the Reconciler
0b1a24a4070e059f0dab146596dbcb6e790f5085
File:Arnius.png
6
124
335
2023-10-21T20:49:41Z
HowlingHeretic
3
Arnius | Sign of the Heedless
wikitext
text/x-wiki
== Summary ==
Arnius | Sign of the Heedless
e6a9078caba6fb01a3f6aa791f75ffed4ef7cc75
File:Arpia.png
6
126
337
2023-10-21T20:51:01Z
HowlingHeretic
3
Arpia | Sign of the Examiner
wikitext
text/x-wiki
== Summary ==
Arpia | Sign of the Examiner
52babe0a8e4d926d9495eef1f681c139d7390361
File:Arpio.png
6
127
338
2023-10-21T20:51:31Z
HowlingHeretic
3
Arpio | Sign of the Seeker
wikitext
text/x-wiki
== Summary ==
Arpio | Sign of the Seeker
734e4ae6a72ad6d68e5a9d9aebc6d39e862a5053
File:Arrius.png
6
129
340
2023-10-21T20:52:49Z
HowlingHeretic
3
Arrius | Sign of the Visualizer
wikitext
text/x-wiki
== Summary ==
Arrius | Sign of the Visualizer
3f0be9ba968934f1511fa59610f940529a06cb47
File:Arsces.png
6
130
341
2023-10-21T20:53:29Z
HowlingHeretic
3
Arsces | Sign of the Pilgrim
wikitext
text/x-wiki
== Summary ==
Arsces | Sign of the Pilgrim
6846f0bad1d494445405c44a996052b46f7fb2fb
File:Arun.png
6
132
343
2023-10-21T21:00:50Z
HowlingHeretic
3
Arun | Sign of the Impetuous
wikitext
text/x-wiki
== Summary ==
Arun | Sign of the Impetuous
a760590ee41f03bb4eaf7f4d8638702f1caec95f
File:Arza.png
6
134
345
2023-10-21T21:01:45Z
HowlingHeretic
3
Arza | Sign of the Inevitable
wikitext
text/x-wiki
== Summary ==
Arza | Sign of the Inevitable
19d50aa216bf75293a7e01495106fbe3430971a6
Siette Aerien
0
6
346
256
2023-10-21T21:05:52Z
HowlingHeretic
3
wikitext
text/x-wiki
{{DISPLAYTITLE:Siette Aerien}}
'''Siette Aerien''', also known by her [[Moonbounce]] handle {{RS quote|purpleblood|balefulAcrobat}} , is one of the [[troll]]s in ''[[Re:Symphony]]''. Her sign is true Capricorn, or SIGN OF THE CAPRICIOUS, and she is a Witch of Rage. She is an aerial silk dancer.
Siette joined the server on 8/20/2021. She found a piece of paper with the link written on it tucked into her silks.
==Etymology==
Siette's first name comes from the word, "slette," which means to eradicate, or remove. Originally, her name was Slette, but after a misread, the name was changed to Siette for better readability. Her last name, Aerien, is an altered version of aerial, which is in reference to her aerial silk performance in the circus.
Siette's chat handle, balefulAcrobat, means "killer clown." Baleful, in this context, is used with the definition of, "Harmful or malignant in intent or effect. " Acrobat here is used with the in-universe context of most- if not all -circus performers being Purple bloods. Siette, while efficient, is not known for her subtlety.
==Biography==
===Early Life===
Siette was adopted by a troll only known as the Priestess, following her discovering her and her lusus. Siette's lusus, affectionately named Lily, was beaten and bloody, presumably found after a battle defending grub-Siette. Siette was raised in the church, under the close tutelage of her Priestess. Siette was taught the ways of the Mirthful Messiahs, and was trained to be an efficient killer. Siette performed part-time in a circus as well, as an [https://en.wikipedia.org/wiki/Aerial_silk aerial silk dancer]
==Personality and Traits==
==Relationships==
===Mabuya Arnava===
Mabuya is Siette's matesprit.
==Trivia==
==Gallery==
<gallery position="center" widths="185">
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
a6568d1e55489a137a8b45ff85c5d201fb3abd9f
Signs
0
135
347
2023-10-21T21:49:40Z
Onepeachymo
2
Created page with "Repository for every sign. ==Rust Signs== ===Extended Zodiac=== ===Homemade=== ==Bronze Signs== ==Gold Signs== ==Olive Signs== ==Jade Signs== ==Teal Signs== ==Cerulean Signs== ==Indigo Signs== ===Extended Zodiac=== ===Homemade=== ==Purple Signs== ==Violet Signs== ==Fuchsia Signs== ==Other Signs & Symbols=="
wikitext
text/x-wiki
Repository for every sign.
==Rust Signs==
===Extended Zodiac===
===Homemade===
==Bronze Signs==
==Gold Signs==
==Olive Signs==
==Jade Signs==
==Teal Signs==
==Cerulean Signs==
==Indigo Signs==
===Extended Zodiac===
===Homemade===
==Purple Signs==
==Violet Signs==
==Fuchsia Signs==
==Other Signs & Symbols==
b1d2eb3de9260f08a1f6830f6c06946b767adcfc
File:Taurcen.png
6
136
348
2023-10-21T21:52:29Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Taurcer.png
6
137
349
2023-10-21T21:52:41Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Taurga.png
6
138
350
2023-10-21T21:52:51Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Taurlo.png
6
107
351
315
2023-10-21T21:54:49Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Taurlo.png]]
wikitext
text/x-wiki
Ponzii sign
3a135d31ddc67ac62fd69ae13cc2676aa655b0b9
Ponzii ??????/Infobox
0
109
352
320
2023-10-21T21:56:17Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Ponzii ??????
|symbol = [[File:Taurlo.png|32px]]
|symbol2 = [[File:Aspect_Heart.png|32px]]
|complex = [[File:Ponzii Sprite.png]]
|caption = {{RS quote|brown|and t#en i wink at t#e camera}}
|intro =
|title = {{Classpect|Heart|Thief}}
|age = {{Age|8.7}}
|gender = Any (Nonbinary)
|status = Alive
|screenname = acquisitiveSupreme
|style = Does not give a fuck about spelling,grammar,punctuation. also replaces 'h' with #.
|specibus = Daggerkind
|modus = Memory
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Red|Cherie}}]] - [[Relation Link Page(Matesprit)|Matesprit (Dead)]]
|planet = Land of Affection and Roses
|likes = Money, Shiny Things
|dislikes = Sand
|aka = Ponz [[Siette Aerien|(Siette)]]
Zii [[Anicca Shivuh|(Anicca)]]
Pawnshop [[Skoozy Mcribb|(Skoozy)]]
Zizi (Mabuya)
|creator = Wowz}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
c81d6287812ff818a04e7222f125123d1d6bb261
File:Taurgo.png
6
139
353
2023-10-21T21:59:18Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Tauriborn.png
6
140
354
2023-10-21T21:59:30Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Tauricorn.png
6
141
355
2023-10-21T21:59:42Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Tauries.png
6
142
356
2023-10-21T21:59:52Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Taurist.png
6
143
357
2023-10-21T22:00:03Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Taurittanius.png
6
144
358
2023-10-21T22:00:12Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Taurmini.png
6
145
359
2023-10-21T22:00:27Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Taurmino.png
6
146
360
2023-10-21T22:00:36Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Taurnius.png
6
147
361
2023-10-21T22:00:50Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Tauro.png
6
148
362
2023-10-21T22:01:03Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Taurpia.png
6
149
363
2023-10-21T22:01:15Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Taurpio.png
6
150
364
2023-10-21T22:01:24Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Taurra.png
6
151
365
2023-10-21T22:01:35Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Taurrius.png
6
152
366
2023-10-21T22:01:44Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Taursces.png
6
153
367
2023-10-21T22:01:54Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Taursci.png
6
154
368
2023-10-21T22:02:04Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Taurun.png
6
155
369
2023-10-21T22:02:12Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Taurza.png
6
156
370
2023-10-21T22:02:21Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Taurus.png
6
157
371
2023-10-21T22:03:05Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemza.png
6
158
372
2023-10-21T22:03:19Z
Mordimoss
4
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemcen.png
6
159
373
2023-10-21T22:05:54Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemcer.png
6
160
374
2023-10-21T22:06:05Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemga.png
6
161
375
2023-10-21T22:06:14Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemgo.png
6
162
376
2023-10-21T22:06:24Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemiborn.png
6
163
377
2023-10-21T22:06:36Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemicorn.png
6
164
378
2023-10-21T22:06:45Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemini.png
6
165
379
2023-10-21T22:06:56Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemino.png
6
166
380
2023-10-21T22:07:05Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemittanius.png
6
167
381
2023-10-21T22:07:17Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemittarius.png
6
168
382
2023-10-21T22:07:26Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemlo.png
6
169
383
2023-10-21T22:07:36Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemnius.png
6
170
384
2023-10-21T22:07:43Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemo.png
6
171
385
2023-10-21T22:07:51Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gempia.png
6
172
386
2023-10-21T22:07:59Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gempio.png
6
173
387
2023-10-21T22:08:09Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemra.png
6
174
388
2023-10-21T22:08:19Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemries.png
6
175
389
2023-10-21T22:08:28Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemrist.png
6
176
390
2023-10-21T22:08:35Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemrius.png
6
177
391
2023-10-21T22:08:47Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemsces.png
6
178
392
2023-10-21T22:08:58Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemsci.png
6
179
393
2023-10-21T22:09:07Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemun.png
6
180
394
2023-10-21T22:09:15Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemus.png
6
181
395
2023-10-21T22:09:25Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Gemza.png
6
158
396
372
2023-10-21T22:09:44Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Gemza.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Skoozy.png
6
182
397
2023-10-21T22:12:51Z
Mordimoss
4
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
398
397
2023-10-21T22:14:08Z
Mordimoss
4
Mordimoss uploaded a new version of [[File:Skoozy.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lecen.png
6
183
399
2023-10-21T22:14:11Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lecer.png
6
184
400
2023-10-21T22:14:20Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lega.png
6
185
401
2023-10-21T22:14:29Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lego.png
6
186
402
2023-10-21T22:14:41Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Leiborn.png
6
187
403
2023-10-21T22:14:51Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Leicorn.png
6
188
404
2023-10-21T22:14:59Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Leittanius.png
6
189
405
2023-10-21T22:15:07Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Leittarius.png
6
190
406
2023-10-21T22:15:27Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lelo.png
6
191
407
2023-10-21T22:15:41Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lemini.png
6
192
408
2023-10-21T22:15:50Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lemino.png
6
193
409
2023-10-21T22:15:59Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lenius.png
6
194
410
2023-10-21T22:17:10Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Leo.png
6
195
411
2023-10-21T22:17:28Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lepia.png
6
196
412
2023-10-21T22:17:37Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lepio.png
6
197
413
2023-10-21T22:17:56Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lera.png
6
198
414
2023-10-21T22:18:10Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Leries.png
6
199
415
2023-10-21T22:18:18Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lerist.png
6
200
416
2023-10-21T22:18:49Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lerius.png
6
201
417
2023-10-21T22:19:13Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lesces.png
6
202
418
2023-10-21T22:19:23Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lesci.png
6
203
419
2023-10-21T22:19:32Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Leun.png
6
204
420
2023-10-21T22:19:43Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Leus.png
6
95
421
297
2023-10-21T22:20:10Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Leus.png]]
wikitext
text/x-wiki
== Summary ==
Leus from the extended zodiac - Oliveblood Prospit Breath
5ffa673948e2d753f0761c4160999a05a993e10e
File:Leza.png
6
205
422
2023-10-21T22:20:30Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Vircen.png
6
206
423
2023-10-21T22:24:07Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Vircer.png
6
207
424
2023-10-21T22:24:16Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Virga.png
6
208
425
2023-10-21T22:24:28Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Virgo.png
6
209
426
2023-10-21T22:24:41Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Viriborn.png
6
210
427
2023-10-21T22:24:50Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Viricorn.png
6
211
428
2023-10-21T22:24:58Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Viries.png
6
212
429
2023-10-21T22:25:45Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Virist.png
6
213
430
2023-10-21T22:25:54Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Virittanius.png
6
214
431
2023-10-21T22:26:07Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Virittarius.png
6
215
432
2023-10-21T22:26:17Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Virlo.png
6
216
433
2023-10-21T22:26:26Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Virmini.png
6
217
434
2023-10-21T22:26:51Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Virmino.png
6
218
435
2023-10-21T22:27:07Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Virnius.png
6
219
436
2023-10-21T22:27:17Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Viro.png
6
220
437
2023-10-21T22:27:30Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Virpia.png
6
221
438
2023-10-21T22:27:44Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Virpio.png
6
222
439
2023-10-21T22:28:08Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Virra.png
6
223
440
2023-10-21T22:28:27Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Virrius.png
6
224
441
2023-10-21T22:28:36Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Virsces.png
6
225
442
2023-10-21T22:28:48Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Virsci.png
6
226
443
2023-10-21T22:31:45Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Virun.png
6
227
444
2023-10-21T22:31:55Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Virus.png
6
228
445
2023-10-21T22:32:38Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Virza.png
6
229
446
2023-10-21T22:32:49Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Knight Galfry/infobox
0
83
447
268
2023-10-21T22:34:17Z
Katabasis
6
wikitext
text/x-wiki
{{Character Infobox
|name = Knight Galfry
|symbol = [[File:knightsign.png|32px]]
|symbol2 = [[File:Aspect_Hope.png|32px]]
|complex = [[File:Knight.png]]
|caption = {{RS quote|#4C00FF| '''<nowiki>c=|===></nowiki> TO ALL THINGS, AN END. AS IT WERE.'''}}
|intro = day they joined server
|title = {{Classpect|Hope|Knight}}
|age = {{Age|9}}
|gender = She/Her (Girl)
|status = Alive
|screenname = chivalrousCavalier
|style = Speaks in all caps, in an archaic lexis. Uses middle english pronouns. Appends an ascii sword to the start of her messages, but it contains a character that fucks with the code, so I can't replicate it here. Slorry.
|specibus = Shieldkind/Bladekind
|modus = Hoard
|relations = [[The Fortress|{{RS quote|#4C00FF|La Fortezza}}]] - [[Ancestors|Ancestor]]
|planet = Land of Storms and Rapture
|likes = Rainbowdrinkers.
|dislikes = Violets, on principle. Confusingly, though, by number, ''most'' of her friends are Violets.
|aka = Kishi ([[Mabuya Arnava]]), Nig#t ([[Ponzii]]), Galgie ([[Tewkid Bownes]])
|creator = [[user:Katabasis]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
f64196c96db29eb058397407d558bb8e116ab64b
Skoozy Mcribb/Infobox
0
230
448
2023-10-21T22:40:06Z
Mordimoss
4
Created page with "{{Character Infobox |name = Skoozy Mcribb |symbol = [[File:Gemza.png|32px]] |symbol2 = [[File:Aspect_Mind.png|32px]] |complex = [[File:Skoozy.png]] |caption = {{RS quote|goldblood| we live in an eMpire}} |intro = 08/04/2021 |title = {{Classpect|Mind|Prince}} |age = {{Age|10}} |gender = He/Him (trans man) |status = Dead Awake on derse |screenname = analyticalSwine |style = capitalizes every m, and every word after a word with an m has a "Mc" in front of set word |specibu..."
wikitext
text/x-wiki
{{Character Infobox
|name = Skoozy Mcribb
|symbol = [[File:Gemza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex = [[File:Skoozy.png]]
|caption = {{RS quote|goldblood| we live in an eMpire}}
|intro = 08/04/2021
|title = {{Classpect|Mind|Prince}}
|age = {{Age|10}}
|gender = He/Him (trans man)
|status = Dead
Awake on derse
|screenname = analyticalSwine
|style = capitalizes every m, and every word after a word with an m has a "Mc" in front of set word
|specibus = Cleatkind
|modus = Slidepuzzle
|relations = [[The Megamind|{{RS quote|Goldblood|The Megamind}}]] - [[Relation Link Page(Ancestor)|Ancestor]]
|planet = Land of Arches and Spotlights
|likes = Mcdonald's, Goldbloods, Calico
|dislikes = Highbloods
|aka = Piggy ([[Anicca Shivuh|Anicca]] + Anatta)
|creator = Mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
04774ea9e0a2059d8eafb9abe2590d0a5dbe0888
Skoozy Mcribb
0
4
449
263
2023-10-21T22:40:36Z
Mordimoss
4
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his [[Moonbounce|Moonbounce]] tag '''analyticalSwine''', he is option depicted with the Mcdonald's golden arches symbol rather than his true sign.
Skoozy joined the server on day one, claiming initially that "link said free trobux?" but it is later implied that he joined via spying on [[Paluli Anriqi|Paluli]].
==Etymology==
Although "Skoozy" has many meanings in American english slang, his name was chosen as a purely random collection of sounds, rather than to be symbolic of his character. "Mcribb" was similarly chosen as a silly name, but was explored upon further as Skoozy has a deep rooted love for Mcdonald's. The name Mcribb may also be tied to Skoozy's lusus being a large pig, which could also be further referenced in his Moonbounce tag "analyticalSwine". As troll tags are chosen by the character, it is assumed that Skoozy chose "analytical" because he prides that aspect of his personality, and "Swine" out of respect for his lusus.
==Biography==
===Early life===
Very little is known about Skoozy's early life, though it was alluded that he had longtime connections with the pirates. Later he is shown in [https://en.wikipedia.org/wiki/Flashback%20(narrative) flashbacks] to have worked with both [[Pyrrah Kappen|Pyrrah]] and with [[Calico Drayke|Calico's]] crew, despite the hatred between the two crews. It is also heavily implied that he is responsible for Paluli's mutated appearance, suggesting he somehow experimented with her before she emerged from the brooding caverns, despite the fact they are close in age.
===Act 1===
Skoozy initially does not reveal his true nature to those in the chatroom, and does his best to come across as a nonthreatening, albeit annoying, trickster.
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<gallery widths=200px heights=150px>
File:Skoozy can make a difference.png|Skoozy
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
e134e79291eec868368fe1ec1346057023b423a8
File:Libiborn.png
6
231
450
2023-10-21T23:05:39Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Libicorn.png
6
232
451
2023-10-21T23:05:53Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Libittanius.png
6
233
452
2023-10-21T23:06:03Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Libittarius.png
6
234
453
2023-10-21T23:06:50Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Liblo.png
6
235
454
2023-10-21T23:07:16Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Libnius.png
6
236
455
2023-10-21T23:07:31Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Libo.png
6
237
456
2023-10-21T23:07:41Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Libra.png
6
238
457
2023-10-21T23:08:06Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Libries.png
6
239
458
2023-10-21T23:08:22Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Librist.png
6
240
459
2023-10-21T23:08:37Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Librius.png
6
241
460
2023-10-21T23:08:46Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Libsces.png
6
242
461
2023-10-21T23:08:55Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Libsci.png
6
243
462
2023-10-21T23:09:15Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Libun.png
6
244
463
2023-10-21T23:09:26Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Libus.png
6
245
464
2023-10-21T23:09:43Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Libza.png
6
33
465
120
2023-10-21T23:10:01Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Libza.png]]
wikitext
text/x-wiki
Libza sign.
e0f17e83bc560c04aebf456a8af846727d3aa22c
File:Licen.png
6
246
466
2023-10-21T23:10:29Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Licer.png
6
247
467
2023-10-21T23:10:40Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Liga.png
6
248
468
2023-10-21T23:10:59Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Ligo.png
6
249
469
2023-10-21T23:11:12Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Limini.png
6
250
470
2023-10-21T23:11:34Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Limino.png
6
251
471
2023-10-21T23:11:46Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lipia.png
6
252
472
2023-10-21T23:12:00Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Lipio.png
6
253
473
2023-10-21T23:12:19Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scorcen.png
6
254
474
2023-10-21T23:13:22Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scorcer.png
6
255
475
2023-10-21T23:13:38Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scorga.png
6
256
476
2023-10-21T23:13:57Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scorgo.png
6
257
477
2023-10-21T23:14:08Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scoriborn.png
6
258
478
2023-10-21T23:14:18Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scoricorn.png
6
259
479
2023-10-21T23:14:37Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scories.png
6
260
480
2023-10-21T23:14:49Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scorist.png
6
261
481
2023-10-21T23:15:08Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scorittanius.png
6
262
482
2023-10-21T23:15:24Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scorittarius.png
6
263
483
2023-10-21T23:15:33Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scorlo.png
6
264
484
2023-10-21T23:15:54Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scormini.png
6
265
485
2023-10-21T23:16:20Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scormino.png
6
266
486
2023-10-21T23:16:37Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scornius.png
6
267
487
2023-10-21T23:22:52Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scoro.png
6
268
488
2023-10-21T23:23:05Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scorpia.png
6
269
489
2023-10-21T23:23:18Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scorpio.png
6
270
490
2023-10-21T23:28:03Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scorra.png
6
271
491
2023-10-21T23:28:14Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scorrius.png
6
272
492
2023-10-21T23:28:37Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scorsces.png
6
273
493
2023-10-21T23:28:56Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scorsci.png
6
274
494
2023-10-21T23:29:07Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scorun.png
6
275
495
2023-10-21T23:29:22Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scorus.png
6
276
496
2023-10-21T23:29:43Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Scorza.png
6
277
497
2023-10-21T23:29:57Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagiborn.png
6
278
498
2023-10-21T23:31:32Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagicen.png
6
279
499
2023-10-21T23:31:45Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagicer.png
6
280
500
2023-10-21T23:31:58Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagicorn.png
6
281
501
2023-10-21T23:32:08Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagiga.png
6
282
502
2023-10-21T23:32:22Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagigo.png
6
283
503
2023-10-21T23:32:31Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagilo.png
6
284
504
2023-10-21T23:32:42Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagimini.png
6
285
505
2023-10-21T23:32:53Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagimino.png
6
286
506
2023-10-21T23:33:02Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Saginius.png
6
287
507
2023-10-21T23:33:18Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagio.png
6
288
508
2023-10-21T23:33:33Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagipia.png
6
289
509
2023-10-21T23:33:52Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagipio.png
6
290
510
2023-10-21T23:34:09Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagira.png
6
291
511
2023-10-21T23:44:24Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagiries.png
6
292
512
2023-10-21T23:44:40Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagirist.png
6
293
513
2023-10-21T23:46:51Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagirius.png
6
294
514
2023-10-21T23:46:59Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagisces.png
6
295
515
2023-10-21T23:47:12Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagisci.png
6
296
516
2023-10-21T23:47:21Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagittanius.png
6
297
517
2023-10-21T23:47:32Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagittarius.png
6
298
518
2023-10-21T23:47:44Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagiun.png
6
299
519
2023-10-21T23:47:53Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagius.png
6
300
520
2023-10-21T23:48:05Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Sagiza.png
6
301
521
2023-10-21T23:48:16Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Capriborn.png
6
302
522
2023-10-21T23:48:35Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Capricen.png
6
303
523
2023-10-21T23:48:50Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Capricer.png
6
304
524
2023-10-21T23:48:59Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Capricorn.png
6
305
525
2023-10-21T23:49:09Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Capries.png
6
306
526
2023-10-21T23:50:31Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Capriga.png
6
307
527
2023-10-21T23:50:43Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Caprigo.png
6
308
528
2023-10-21T23:50:55Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Caprilo.png
6
309
529
2023-10-21T23:51:11Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Caprimini.png
6
310
530
2023-10-21T23:51:22Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Caprimino.png
6
311
531
2023-10-21T23:51:43Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Caprinius.png
6
312
532
2023-10-21T23:52:11Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Caprio.png
6
313
533
2023-10-21T23:52:23Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Capripia.png
6
314
534
2023-10-21T23:52:33Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Capripio.png
6
315
535
2023-10-21T23:53:14Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Caprira.png
6
316
536
2023-10-21T23:53:31Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Capririus.png
6
317
537
2023-10-21T23:53:47Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Caprisces.png
6
318
538
2023-10-21T23:53:59Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Caprisci.png
6
319
539
2023-10-21T23:54:09Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Caprist.png
6
320
540
2023-10-21T23:54:42Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Caprittanius.png
6
321
541
2023-10-21T23:55:05Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Caprittarius.png
6
322
542
2023-10-21T23:55:23Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Capriun.png
6
323
543
2023-10-21T23:56:47Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Caprius.png
6
324
544
2023-10-21T23:56:59Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Capriza.png
6
325
545
2023-10-21T23:57:10Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquacen.png
6
326
546
2023-10-21T23:57:27Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquacer.png
6
327
547
2023-10-21T23:57:44Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquaga.png
6
328
548
2023-10-21T23:58:01Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquago.png
6
329
549
2023-10-21T23:58:21Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aqualo.png
6
330
550
2023-10-21T23:58:35Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquamini.png
6
331
551
2023-10-21T23:59:05Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquamino.png
6
332
552
2023-10-21T23:59:21Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquanius.png
6
333
553
2023-10-22T00:00:29Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquapia.png
6
334
554
2023-10-22T00:01:00Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquapio.png
6
335
555
2023-10-22T00:01:15Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquara.png
6
336
556
2023-10-22T00:01:35Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquaries.png
6
337
557
2023-10-22T00:02:46Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquarist.png
6
338
558
2023-10-22T00:03:02Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquarius.png
6
339
559
2023-10-22T00:03:16Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquasces.png
6
340
560
2023-10-22T00:03:26Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquasci.png
6
341
561
2023-10-22T00:03:41Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquaza.png
6
342
562
2023-10-22T00:03:51Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquiborn.png
6
343
563
2023-10-22T00:04:29Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquicorn.png
6
344
564
2023-10-22T00:04:46Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquittanius.png
6
345
565
2023-10-22T00:05:09Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquittarius.png
6
346
566
2023-10-22T00:05:22Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquius.png
6
347
567
2023-10-22T00:05:34Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Aquo.png
6
348
568
2023-10-22T00:05:47Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Piborn.png
6
349
569
2023-10-22T00:06:04Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Picen.png
6
350
570
2023-10-22T00:06:13Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Picer.png
6
351
571
2023-10-22T00:06:23Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Picorn.png
6
352
572
2023-10-22T00:06:31Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Piga.png
6
353
573
2023-10-22T00:06:42Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pigo.png
6
354
574
2023-10-22T00:06:51Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pilo.png
6
355
575
2023-10-22T00:07:25Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pimini.png
6
356
576
2023-10-22T00:07:41Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pimino.png
6
357
577
2023-10-22T00:07:54Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pinius.png
6
358
578
2023-10-22T00:08:07Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pio.png
6
359
579
2023-10-22T00:08:21Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pipia.png
6
360
580
2023-10-22T00:08:34Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pipio.png
6
361
581
2023-10-22T00:08:45Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pira.png
6
362
582
2023-10-22T00:08:59Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Piries.png
6
363
583
2023-10-22T00:09:08Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pirist.png
6
364
584
2023-10-22T00:09:19Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pirius.png
6
365
585
2023-10-22T00:09:29Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pisces.png
6
366
586
2023-10-22T00:09:39Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pisci.png
6
367
587
2023-10-22T00:09:52Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pittanius.png
6
368
588
2023-10-22T00:10:03Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pittarius.png
6
369
589
2023-10-22T00:10:42Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Piun.png
6
370
590
2023-10-22T00:10:57Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Pius.png
6
371
591
2023-10-22T00:11:08Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Piza.png
6
372
592
2023-10-22T00:11:25Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Arcen.png
6
373
593
2023-10-22T00:11:45Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Arcer.png
6
374
594
2023-10-22T00:11:59Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Arga.png
6
375
595
2023-10-22T00:12:22Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Argo.png
6
115
596
326
2023-10-22T00:13:50Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Argo.png]]
wikitext
text/x-wiki
== Summary ==
Argo | Sign of the Zenith
521ccb7038c2f32f12a52be85c5e94852b977599
File:Ariborn.png
6
116
597
327
2023-10-22T00:14:23Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Ariborn.png]]
wikitext
text/x-wiki
== Summary ==
Ariborn | Sign of the Escapee
d8a7a0f8d47eb5940f154536bca9d7a69c5761c9
File:Aricorn.png
6
117
598
328
2023-10-22T00:14:43Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Aricorn.png]]
wikitext
text/x-wiki
== Summary ==
Aricorn | Sign of the Runaway
4d5a391dc3da44708ed26617824ac5564b519b55
File:Aries.png
6
111
599
322
2023-10-22T00:17:05Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Aries.png]]
wikitext
text/x-wiki
== Summary ==
True Aries | Sign of the Excavator
7f9c538fd3f0770dadbd712a31634abc864f758d
File:Arist.png
6
118
600
329
2023-10-22T00:17:18Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Arist.png]]
wikitext
text/x-wiki
== Summary ==
Arist | Sign of the Headstrong
e748cc416eca650a9fc6e1dffa2e534428c09e56
File:Arittanius.png
6
376
601
2023-10-22T00:17:34Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Arittarius.png
6
120
602
331
2023-10-22T00:17:50Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Arittarius.png]]
wikitext
text/x-wiki
== Summary ==
Arittarius | Sign of the Astronaut
17bc5881e4bc8fc91dcc11ac311be4ab083857f5
File:Arlo.png
6
121
603
332
2023-10-22T00:18:10Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Arlo.png]]
wikitext
text/x-wiki
== Summary ==
Arlo | Sign of the Mirage
110a8a28ab0a3222c232b3c13f4d59a7d5295480
File:Armini.png
6
122
604
333
2023-10-22T00:18:26Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Armini.png]]
wikitext
text/x-wiki
== Summary ==
Armini | Sign of the Reconciler
0b1a24a4070e059f0dab146596dbcb6e790f5085
File:Armino.png
6
377
605
2023-10-22T00:19:02Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Arnius.png
6
124
606
335
2023-10-22T00:19:19Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Arnius.png]]
wikitext
text/x-wiki
== Summary ==
Arnius | Sign of the Heedless
e6a9078caba6fb01a3f6aa791f75ffed4ef7cc75
File:Aro.png
6
378
607
2023-10-22T00:19:51Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Arpia.png
6
126
608
337
2023-10-22T00:20:12Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Arpia.png]]
wikitext
text/x-wiki
== Summary ==
Arpia | Sign of the Examiner
52babe0a8e4d926d9495eef1f681c139d7390361
File:Arpio.png
6
127
609
338
2023-10-22T00:20:34Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Arpio.png]]
wikitext
text/x-wiki
== Summary ==
Arpio | Sign of the Seeker
734e4ae6a72ad6d68e5a9d9aebc6d39e862a5053
File:Arra.png
6
379
610
2023-10-22T00:21:20Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Arrius.png
6
129
611
340
2023-10-22T00:21:41Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Arrius.png]]
wikitext
text/x-wiki
== Summary ==
Arrius | Sign of the Visualizer
3f0be9ba968934f1511fa59610f940529a06cb47
File:Arsci.png
6
380
612
2023-10-22T00:22:46Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Arsces.png
6
130
613
341
2023-10-22T00:24:15Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Arsces.png]]
wikitext
text/x-wiki
== Summary ==
Arsces | Sign of the Pilgrim
6846f0bad1d494445405c44a996052b46f7fb2fb
File:Arun.png
6
132
614
343
2023-10-22T00:24:46Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Arun.png]]
wikitext
text/x-wiki
== Summary ==
Arun | Sign of the Impetuous
a760590ee41f03bb4eaf7f4d8638702f1caec95f
File:Arus.png
6
381
615
2023-10-22T00:25:23Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Arza.png
6
134
616
345
2023-10-22T00:25:57Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Arza.png]]
wikitext
text/x-wiki
== Summary ==
Arza | Sign of the Inevitable
19d50aa216bf75293a7e01495106fbe3430971a6
File:Flourish.png
6
382
617
2023-10-22T00:28:08Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Troll
0
13
618
30
2023-10-22T02:36:16Z
192.76.8.65
0
wikitext
text/x-wiki
'''Trolls''' are an alien race from the webcomic ''Homestuck''. They are the prominent race of Re:Symphony and live on the planet Alternia.
An index of all active trolls (should) be found here:
{{Navbox Trolls}}
[[Category:Trolls]]
e58a2562d369529cf3012916f6232bbfcacd3777
Knight Galfry
0
18
619
299
2023-10-22T02:37:13Z
192.76.8.65
0
wikitext
text/x-wiki
{{/infobox}}
== Knight Galfry ==
Knight Galfry, possesséd of the [[Moonbounce]] username '''chivalrousCavalier''', is one of the [[trolls]] in [[Re:Symphony]]. She is approximately nine solar sweeps old, although her exact birthdate is unknown, and she is a '''Knight of Hope''', and - formerly - a '''prospit''' dreamer. Her ancestor was [[The Fortress]]. Her lusus was a chitinous barkingbeast, whom used to belong to her ancestor. She mercy killed it on its request some time during her late teenagehood.
Knight joined the conference on 4/8/2023 ([[British]] notation), when she found a mysterious satellite dish on the shore of the island she lives, and is imprisoned, on.
==Etymology==
'Knight' is a noun usually referring to an armoured individual from the medieval era. 'Galfry' is a corruption of 'Belfry', a reference to the two Belfry areas in Dark Souls II. 'Gal' can also be used as a slang term for a girl.
Given that Knight's ancestor's birth name was Knight Avalon, it can be assumed that the first name carries the ancestral significance in Knight's line, in inverse of typical Alternian tradition.
==Biography==
=== Early Life ===
Knight does not recall any of her life prior to turning five sweeps of age.
=== Act 1 ===
Knight killed her lusus at approximately the same time as [[The Party]].
=== Act ??? (Present) ===
* Knight recovered a satellite dish, which allowed her to connect to the internet, and also forced her into [[Moonbounce]]. She was greeted initially by [[Barise Klipse]], until a storm forced her connection to close. These storms are apparently a frequent asset of Knight's island.
* She printed off some sheets of paper and read up on popular culture that she was unfamiliar with.
* The [[Skoozeye]] washed up on her isle, and began developing its juju curse. Knight's paranoia began to intensify.
* Knight goes out drinking with several members of the chat, via momentarily hopping onto [[Calico Drayke]]'s ship. This night ends badly for all involved.
* Knight reveals to the chatroom that she dreams in an [https://mspaintadventures.fandom.com/wiki/Furthest_Ring abyssal void] filled with terrible beasts.
* Knight is further tormented by the Skoozeye.
* [[Auryyx Osimos]] accurately states that Knight killed her lusus, causing her to have a panic attack and accuse [[Anatta Tereme]] of using the group conference as a farm to manufacture exotic blood.
* Knight snaps during a dream and tears one of the terrible beasts to shreds. Inexplicably, its blood remains on her even when she wakes up.
* Knight messages [[Shikki]] to ask about Tewkid's condition. Shikki is weirded out by this.
* Knight writes a letter to [[Siinix Auctor]], and delivers it to her via [[Poppie Toppie]]'s absentee lusus.
* [[Leksee Sirrus]] visits Knight's island and builds her a hoverbike. Knight is terrified that he is going to kill her.
* Knight recieves Siinix's reply, and gets a bit gay about it.
* Knight assumes that [[Rigore Mortis]] has similar feelings for [[Aquett Aghara]] to her, and therefore becomes a bitch. (She is wrong about this assumption.)
Knight lives on an island slightly off the coast of the [[Sovereign Shores]], alone. She maintains regular contact with the [[Moonbounce]] group chat via a shaky internet connection, which is frequently interrupted by the violent storms which plague her island. She is able to leave the island, in short distances, via a hoverbike constructed for her by [[Leksee Sirrus]]. She is concurrently penpals with [[Siinix Auctor]].
==Personality and Traits==
Knight is a very boisterous and cavalier individual, who, verbally, speaks in a dialect that is approximately fit for the 18th or 19th centuries. However, she uses a fully archaic set of pronouns, such as 'thee', 'thy', 'thou', and their permutations. She also occasionally uses the royal 'one', 'oneself', and 'we'. She appends c=|===> to the beginning of her messages, types in all capitals, and bolds her text. These permutations disappear when she speaks without her helmet on, which is rarely.
Knight is blind in her right eye, and has many scars, due to several mutant genes. She is, however, almost impossible to kill.
Knight is afflicted with an intense paranoia that those around her dislike her or are plotting to kill her. This has been recently worsened by the [[Skoozeye]].
==Relationships==
* [[Tewkid Bownes]] gifted Knight his old palmhusk. She believes that he hates her, due to an unfortunate overextension of taste during their first meeting.
* [[Siinix Auctor]] maintains regular communiqué with Knight via a pen-pal scheme. Knight has a red crush on her.
* [[Awoole Fenrir]] tolerates Knight. She is the only blueblood that this tolerance applies to.
* [[Leksee Sirrus]] built Knight a hoverbike. Knight has a mixed pale-red crush on him.
* [[Aquett Aghara]] irritates Knight to no end, but he is very hot, and she has a black crush on him.
* Knight considers [[Barise Klipse]], [[Mabuya Arnava]], [[Serceu Vasper]], [[Miette]], [[Siette Airien]], [[Paluli Anriqi]], [[Kimber Rilley]], and [[Harfil Myches]] to be friends of hers.
* Knight dislikes [[Auryyx Osimos]], [[Skoozy Mcribb]], [[Pyrrah Kappen]], [[Guppie Suamui]] and [[Anatta Tereme]].
* Knight thinks she has burned her bridges with [[Anicca Shivuh]], [[Tewkid Bownes]], and [[Shikki]]. It is unclear if she is correct in this assumption.
==Trivia==
* Knight does not remove her armour anymore due to the presence of the Skoozeye.
* Knight is in denial about being gay.
* Knight's blood colour is millimeters away from her being considered a Purpleblood.
* Knight could take Aquett.
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
8694a02e34112e13827ada008c865681ec1dbdc2
Skoozy Mcribb
0
4
620
449
2023-10-22T02:39:02Z
Mordimoss
4
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his [[Moonbounce|Moonbounce]] tag {{RS quote|goldblood|analyticalSwine}}, he is option depicted with the Mcdonald's golden arches symbol rather than his true sign.
Skoozy joined the server on day one, claiming initially that "link said free trobux?" but it is later implied that he joined via spying on [[Paluli Anriqi|Paluli]].
==Etymology==
Although "Skoozy" has many meanings in American english slang, his name was chosen as a purely random collection of sounds, rather than to be symbolic of his character. "Mcribb" was similarly chosen as a silly name, but was explored upon further as Skoozy has a deep rooted love for Mcdonald's. The name Mcribb may also be tied to Skoozy's lusus being a large pig, which could also be further referenced in his Moonbounce tag "analyticalSwine". As troll tags are chosen by the character, it is assumed that Skoozy chose "analytical" because he prides that aspect of his personality, and "Swine" out of respect for his lusus.
==Biography==
===Early life===
Very little is known about Skoozy's early life, though it was alluded that he had longtime connections with the pirates. Later he is shown in [https://en.wikipedia.org/wiki/Flashback%20(narrative) flashbacks] to have worked with both [[Pyrrah Kappen|Pyrrah]] and with [[Calico Drayke|Calico's]] crew, despite the hatred between the two crews. It is also heavily implied that he is responsible for Paluli's mutated appearance, suggesting he somehow experimented with her before she emerged from the brooding caverns, despite the fact they are close in age.
===Act 1===
Skoozy initially does not reveal his true nature to those in the chatroom, and does his best to come across as a nonthreatening, albeit annoying, trickster.
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<gallery widths=200px heights=150px>
File:Skoozy can make a difference.png|Skoozy
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
9f9f85efd0f1b36af4baa810b8e9551222d626b8
Tewkid Bownes
0
15
621
250
2023-10-22T02:40:11Z
Mordimoss
4
wikitext
text/x-wiki
'''Tewkid Bownes''', known also by his [[Moonbounce]] tag, {{RS quote|violetblood|domesticRover}}, is one of the major pirate characters of Re:Symphony. Tewkid is the second in command on the ship ''Lealda's Dream'', he is directly under [[Calico Drayke|Calico]] on the ships hierarchy. He joined on 9/22/2021, immediately after Calico.
==Etymology==
Tewkid's name comes from a handful of sources, "tew" coming from English privateer-turned-pirate "[https://en.wikipedia.org/wiki/Thomas_Tew Thomas Tew]" and "kid" coming from the Scottish privateer "[https://en.wikipedia.org/wiki/William_Kidd William Kidd]". "bownes" being a play on the spelling of "bones", as bone imagery and symbols are often tied with pirates and the pirate lifestyle. In his Moonbounce tag, domestic is in reference to Tewkid's various interests in typically domestic hobbies an activities such as cooking, sewing and embroidery. However domestic is also in reference to someone who stays put and does not wander, which is in direct contradiction to the second part of his tag which is Rover, which is someone who wanders and does not stay in one place. Rover is in reference to his life as a pirate and traveling across the seas, but the inherent contradiction of his tag can be interpreted as representative of the many conflicts he experiences both internally and externally, as he finds himself struggling to understand his place.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<gallery>
File:Tewkid1.gif|he's talking :)
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
4cc6902120d363ca789111225c2a79f75e315729
Guppie Suamui
0
16
622
252
2023-10-22T02:41:15Z
Mordimoss
4
wikitext
text/x-wiki
Guppie Suamui, known also on [[Moonbounce]] as {{RS quote|violetblood|gossamerDaydreamer}}, is one of the many characters in Re:Symphony. She is a violet blood, who joined the server via an invite from [[Paluli Anriqi|Paluli]].
==Etymology==
Guppie's first name is a play on the spelling "[https://en.wikipedia.org/wiki/Guppy Guppy]" which is a type of small fish often kept as a pet, this is in reference to the fact that violet bloods are aquatic and have fish-like qualities. Her last name, Suamui, is just a collection of sounds that were pleasing to the ear.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
d205790f7b3428aca2ba12dd318b33953b54ef52
Template:Navbox Trolls
10
72
623
275
2023-10-22T02:48:30Z
Katabasis
6
HAZEL REVERT THIS IF THIS FUCKS ANYTHING UP!!!!!!! IT SHOULDNT BUT IM WRITING THIS IN CAPS SO YOU KNOW WHERE TO LOOK!!!!!!!!!!!!! HELLO!!!!!!!! SLORRY!!!!!!!!!!!!!!!!!!
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Libza.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|16px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:ECG.png|16px|link=Skeletani]] {{clink|Skeletani|greenblood}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
5d7d8349b6c583e4ac68b9efd86e4a2f0f2336a0
File:Poppiesign.png
6
85
624
271
2023-10-22T02:51:31Z
Katabasis
6
Katabasis uploaded a new version of [[File:Poppiesign.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Knightsign.png
6
81
625
267
2023-10-22T02:53:26Z
Katabasis
6
Katabasis uploaded a new version of [[File:Knightsign.png]]
wikitext
text/x-wiki
== Summary ==
Knight's sign.
bebcf383397c94dd28eb2a7c422ee317249256e6
Template:Page tabs
10
383
627
626
2023-10-22T02:56:33Z
Mintology
8
1 revision imported: Page tabs
wikitext
text/x-wiki
<templatestyles src="Template:Page tabs/styles.css" />{{#invoke:page tabs|main}}<noinclude>
{{documentation}}
<!-- Categories go on the /doc subpage, and interwikis go on Wikidata. -->
</noinclude>
3a62a8333d1c19f5013db2874b0a94f3a78cf19a
Template:Message box/ombox.css
10
384
629
628
2023-10-22T02:56:35Z
Mintology
8
1 revision imported: Page tabs
text
text/plain
/**
* {{ombox}} (other pages message box) styles
*
* @source https://www.mediawiki.org/wiki/MediaWiki:Gadget-enwp-boxes.css
* @revision 2021-07-15
*/
table.ombox {
margin: 4px 10%;
border-collapse: collapse;
/* Default "notice" gray */
border: 1px solid #a2a9b1;
background-color: #f8f9fa;
box-sizing: border-box;
}
/* An empty narrow cell */
.ombox td.mbox-empty-cell {
border: none;
padding: 0;
width: 1px;
}
/* The message body cell(s) */
.ombox th.mbox-text,
.ombox td.mbox-text {
border: none;
/* 0.9em left/right */
padding: 0.25em 0.9em;
/* Make all mboxes the same width regardless of text length */
width: 100%;
}
/* The left image cell */
.ombox td.mbox-image {
border: none;
text-align: center;
/* 0.9em left, 0px right */
/* @noflip */
padding: 2px 0 2px 0.9em;
}
/* The right image cell */
.ombox td.mbox-imageright {
border: none;
text-align: center;
/* 0px left, 0.9em right */
/* @noflip */
padding: 2px 0.9em 2px 0;
}
table.ombox-notice {
/* Gray */
border-color: #a2a9b1;
}
table.ombox-speedy {
/* Pink */
background-color: #fee7e6;
}
table.ombox-speedy,
table.ombox-delete {
/* Red */
border-color: #b32424;
border-width: 2px;
}
table.ombox-content {
/* Orange */
border-color: #f28500;
}
table.ombox-style {
/* Yellow */
border-color: #fc3;
}
table.ombox-move {
/* Purple */
border-color: #9932cc;
}
table.ombox-protection {
/* Gray-gold */
border-color: #a2a9b1;
border-width: 2px;
}
/**
* {{ombox|small=1}} styles
*
* These ".mbox-small" classes must be placed after all other
* ".ombox" classes. "html body.mediawiki .ombox"
* is so they apply only to other page message boxes.
*
* @source https://www.mediawiki.org/wiki/MediaWiki:Gadget-enwp-boxes.css
* @revision 2021-07-15
*/
/* For the "small=yes" option. */
html body.mediawiki .ombox.mbox-small {
clear: right;
float: right;
margin: 4px 0 4px 1em;
box-sizing: border-box;
width: 238px;
font-size: 88%;
line-height: 1.25em;
}
e2c21da9b2e5ea3a68e2f5a7432cbfd3cfce80a8
Template:Documentation
10
43
631
145
2023-10-22T02:56:35Z
Mintology
8
1 revision imported: Page tabs
wikitext
text/x-wiki
<includeonly>{| class="article-table" style="width:100%;" role="complementary"
|- style="font-size:18px;"
! style="padding:0px;" | <div style="width:100%; padding:3px 0px; text-align:center;" class="color1">Template documentation</div>
|-
| ''Note: portions of the template sample may not be visible without values provided.''
|-
| View or edit [[Template:{{PAGENAMEE}}/doc|this documentation]]. ([[Template:Documentation|About template documentation]])
|-
| Editors can experiment in this template's [{{fullurl:{{FULLPAGENAMEE}}/Draft|action=edit}} sandbox] and [{{fullurl:{{FULLPAGENAMEE}}/testcases}} test case] pages.
|}
<div style="margin:0 1em;">
{{{{{1|{{PAGENAME}}/doc}}}}}</div></includeonly><noinclude>{{Documentation}}[[Category:Template documentation| ]]</noinclude>
fb7ec8c976261abf3f5d914a886ac98f98cb02a7
Template:Documentation subpage
10
385
633
632
2023-10-22T02:56:36Z
Mintology
8
1 revision imported: Page tabs
wikitext
text/x-wiki
<includeonly><!--
-->{{#ifeq:{{lc:{{SUBPAGENAME}}}} |{{{override|doc}}}
| <!--(this template has been transcluded on a /doc or /{{{override}}} page)-->
</includeonly><!--
-->{{#ifeq:{{{doc-notice|show}}} |show
| {{Mbox
| type = notice
| style = margin-bottom:1.0em;
| image = [[File:Edit-copy green.svg|40px|alt=|link=]]
| text =
{{strong|This is a [[Wikipedia:Template documentation|documentation]] [[Wikipedia:Subpages|subpage]]}} for {{terminate sentence|{{{1|[[:{{SUBJECTSPACE}}:{{BASEPAGENAME}}]]}}}}}<br />It contains usage information, [[Wikipedia:Categorization|categories]] and other content that is not part of the original {{#if:{{{text2|}}} |{{{text2}}} |{{#if:{{{text1|}}} |{{{text1}}} |{{#ifeq:{{SUBJECTSPACE}} |{{ns:User}} |{{lc:{{SUBJECTSPACE}}}} template page |{{#if:{{SUBJECTSPACE}} |{{lc:{{SUBJECTSPACE}}}} page|article}}}}}}}}.
}}
}}<!--
-->{{DEFAULTSORT:{{{defaultsort|{{PAGENAME}}}}}}}<!--
-->{{#if:{{{inhibit|}}} |<!--(don't categorize)-->
| <includeonly><!--
-->{{#ifexist:{{NAMESPACE}}:{{BASEPAGENAME}}
| [[Category:{{#switch:{{SUBJECTSPACE}} |Template=Template |Module=Module |User=User |#default=Wikipedia}} documentation pages]]
| [[Category:Documentation subpages without corresponding pages]]
}}<!--
--></includeonly>
}}<!--
(completing initial #ifeq: at start of template:)
--><includeonly>
| <!--(this template has not been transcluded on a /doc or /{{{override}}} page)-->
}}<!--
--></includeonly><noinclude>{{Documentation}}</noinclude>
932915be87123dcf74687ffca846a3130a6a52af
Template:Tl
10
386
635
634
2023-10-22T02:56:36Z
Mintology
8
1 revision imported: Page tabs
wikitext
text/x-wiki
#REDIRECT [[Template:Template link]]
{{Redirect category shell|
{{R from move}}
}}
d6593bb3b4a866249f55d0f34b047a71fe1f1529
Template:Template link
10
387
637
636
2023-10-22T02:56:37Z
Mintology
8
1 revision imported: Page tabs
wikitext
text/x-wiki
{{[[Template:{{{1}}}|{{{1}}}]]}}<noinclude>{{documentation}}
<!-- Categories go on the /doc subpage and interwikis go on Wikidata. -->
</noinclude>
eabbec62efe3044a98ebb3ce9e7d4d43c222351d
Template:Sandbox other
10
388
639
638
2023-10-22T02:56:37Z
Mintology
8
1 revision imported: Page tabs
wikitext
text/x-wiki
{{#if:{{#ifeq:{{#invoke:String|sublength|s={{SUBPAGENAME}}|i=0|len=7}}|sandbox|1}}{{#ifeq:{{SUBPAGENAME}}|doc|1}}{{#invoke:String|match|{{PAGENAME}}|/sandbox/styles.css$|plain=false|nomatch=}}|{{{1|}}}|{{{2|}}}}}<!--
--><noinclude>{{documentation}}</noinclude>
91e4ae891d6b791615152c1fbc971414961ba872
Template:Documentation/styles.css
10
389
641
640
2023-10-22T02:56:39Z
Mintology
8
1 revision imported: Page tabs
text
text/plain
/* {{pp|small=yes}} */
.documentation,
.documentation-metadata {
border: 1px solid #a2a9b1;
background-color: #ecfcf4;
clear: both;
}
.documentation {
margin: 1em 0 0 0;
padding: 1em;
}
.documentation-metadata {
margin: 0.2em 0; /* same margin left-right as .documentation */
font-style: italic;
padding: 0.4em 1em; /* same padding left-right as .documentation */
}
.documentation-startbox {
padding-bottom: 3px;
border-bottom: 1px solid #aaa;
margin-bottom: 1ex;
}
.documentation-heading {
font-weight: bold;
font-size: 125%;
}
.documentation-clear { /* Don't want things to stick out where they shouldn't. */
clear: both;
}
.documentation-toolbar {
font-style: normal;
font-size: 85%;
}
ce0e629c92e3d825ab9fd927fe6cc37d9117b6cb
Template:Page tabs/styles.css
10
390
643
642
2023-10-22T02:56:39Z
Mintology
8
1 revision imported: Page tabs
text
text/plain
/* {{pp-template}} */
.template-page-tabs {
background: #F8FCFF;
width: 100%;
display: flex;
flex-wrap: wrap;
margin-bottom: -4px;
}
.template-page-tabs > span {
padding: 0.5em;
line-height: 0.95em;
border: solid 2px #a3b1bf;
white-space: nowrap;
margin-bottom: 4px;
}
.template-page-tabs > span.spacer {
display: flex; /* hides any whitespace we put inside */
padding: 0;
flex: 9px;
border-width: 0 0 2px 0;
}
.template-page-tabs > span.spacer:last-child {
/* We want this to get first priority, which flexbox doesn't really understand but hopefully this will do. */
flex: 1000 1 0;
}
9a32f2ce06344b2d5a0bcf796efa015579249d85
Template:Page tabs/doc
10
391
645
644
2023-10-22T02:56:40Z
Mintology
8
1 revision imported: Page tabs
wikitext
text/x-wiki
{{Documentation subpage}}
<noinclude>{{Page tabs/tabs|This=2}}</noinclude><includeonly>{{Page tabs/tabs|This=1}}
{{Shortcut|Template:Tabs|WP:TABS}}</includeonly>
{{Lua|Module:Page tabs}}
{{TemplateStyles|Template:Page tabs/styles.css}}
<!-- PLEASE ADD CATEGORIES AT THE BOTTOM OF THIS PAGE -->
This template provides a menu of tabs for linking to different pages. Any number of tabs can be specified.
The tab for the current page is indicated by {{para|This}}, with tab numbers starting from 1. Without this parameter, the first tab will be selected.
Setting {{para|NOTOC|true}} suppresses the table of contents.
This template '''should not''' be used in articles.
== Example ==
{{Page tabs
| NOTOC = true
| [[User:Example]]
| [[User:Example/Subpage 1]]
| [[User:Example/Subpage 2|Second subpage]]
| [[User:Example/Subpage 3]]
| This = 2
}}
<syntaxhighlight lang="moin">
{{Page tabs
| NOTOC = true
| [[User:Example]]
| [[User:Example/Subpage 1]]
| [[User:Example/Subpage 2|Second subpage]]
| [[User:Example/Subpage 3]]
| This = 2
}}
</syntaxhighlight>
== See also ==
* {{tl|Tab}}
* {{tl|Start tab}}
* {{tl|End tab}}
<includeonly>{{Sandbox other||
<!-- CATEGORIES BELOW THIS LINE, PLEASE: -->
[[Category:Wikipedia utility templates]]
[[Category:WikiProject tab header templates|*]]
[[Category:Tab header templates]]
}}</includeonly>
23cfa56ab666f352b38254b7b9c7f413667e4873
Template:Page tabs/tabs
10
392
647
646
2023-10-22T02:56:41Z
Mintology
8
1 revision imported: Page tabs
wikitext
text/x-wiki
{{Page tabs
|[[Template:Page tabs|The template]]
|[[Template:Page tabs/doc|The documentation]]
|[[Template:Page tabs/tabs|Example tab page]]
|[[Main Page]]
|This={{{This|3}}}
}}
a07e4acd993315a593e698ec46db56d4bbd314d1
Template:Shortcut
10
393
649
648
2023-10-22T02:56:41Z
Mintology
8
1 revision imported: Page tabs
wikitext
text/x-wiki
<includeonly>{{#invoke:Shortcut|main}}</includeonly><noinclude>
{{documentation}}
<!-- Categories go on the /doc subpage, and interwikis go on Wikidata. -->
</noinclude>
2f2ccc402cde40b1ae056628bffa0852ee01653c
Template:No redirect
10
394
651
650
2023-10-22T02:56:42Z
Mintology
8
1 revision imported: Page tabs
wikitext
text/x-wiki
{{safesubst:<noinclude/>#if: {{safesubst:<noinclude/>#invoke:Redirect|isRedirect|{{{1}}}}}
| <span class="plainlinks">[{{safesubst:<noinclude/>fullurl:{{{1}}}|redirect=no}} {{{2|{{{1}}}}}}]</span>
| {{safesubst:<noinclude/>#if:{{{2|}}}|[[:{{safesubst:<noinclude/>FULLPAGENAME:{{{1}}}}}|{{{2}}}]]|[[:{{safesubst:<noinclude/>FULLPAGENAME:{{{1}}}}}]]}}
}}<noinclude>
{{documentation}}
</noinclude>
1760035b1bed54ee08b810208ed3551b812dfe13
Template:Plainlist/styles.css
10
395
653
652
2023-10-22T02:56:42Z
Mintology
8
1 revision imported: Page tabs
text
text/plain
/* {{pp-template|small=yes}} */
.plainlist ol,
.plainlist ul {
line-height: inherit;
list-style: none;
margin: 0;
padding: 0; /* Reset Minerva default */
}
.plainlist ol li,
.plainlist ul li {
margin-bottom: 0;
}
51706efa229ff8794c0d94f260a208e7c5e6ec30
Template:Lua
10
396
655
654
2023-10-22T02:56:43Z
Mintology
8
1 revision imported: Page tabs
wikitext
text/x-wiki
<includeonly>{{#invoke:Lua banner|main}}</includeonly><noinclude>
{{Lua|Module:Lua banner}}
{{documentation}}
<!-- Categories go on the /doc subpage and interwikis go on Wikidata. -->
</noinclude>
dba3962144dacd289dbc34f50fbe0a7bf6d7f2f7
Template:TemplateStyles
10
397
657
656
2023-10-22T02:56:43Z
Mintology
8
1 revision imported: Page tabs
wikitext
text/x-wiki
#REDIRECT [[Template:Uses TemplateStyles]]
fda05765e32e46903407e65191f885debef84f27
Template:Uses TemplateStyles
10
398
659
658
2023-10-22T02:56:44Z
Mintology
8
1 revision imported: Page tabs
wikitext
text/x-wiki
<includeonly>{{#invoke:Uses TemplateStyles|main}}</includeonly><noinclude>{{documentation}}
<!-- Categories go on the /doc subpage and interwikis go on Wikidata. -->
</noinclude>
60f2fc73c4d69b292455879f9fcb3c68f6c63c2a
Template:Para
10
399
661
660
2023-10-22T02:56:45Z
Mintology
8
1 revision imported: Page tabs
wikitext
text/x-wiki
<code class="tpl-para" style="word-break:break-word;{{SAFESUBST:<noinclude />#if:{{{plain|}}}|border: none; background-color: inherit;}} {{SAFESUBST:<noinclude />#if:{{{plain|}}}{{{mxt|}}}{{{green|}}}{{{!mxt|}}}{{{red|}}}|color: {{SAFESUBST:<noinclude />#if:{{{mxt|}}}{{{green|}}}|#006400|{{SAFESUBST:<noinclude />#if:{{{!mxt|}}}{{{red|}}}|#8B0000|inherit}}}};}} {{SAFESUBST:<noinclude />#if:{{{style|}}}|{{{style}}}}}">|{{SAFESUBST:<noinclude />#if:{{{1|}}}|{{{1}}}=}}{{{2|}}}</code><noinclude>
{{Documentation}}
<!--Categories and interwikis go near the bottom of the /doc subpage.-->
</noinclude>
06006deea2ed5d552aab61b4332321ab749ae7e8
Template:Shortcut/styles.css
10
400
663
662
2023-10-22T02:56:46Z
Mintology
8
1 revision imported: Page tabs
text
text/plain
/* {{pp-template}} */
.module-shortcutboxplain {
float: right;
margin: 0 0 0 1em;
border: 1px solid #aaa;
background: #fff;
padding: 0.3em 0.6em 0.2em 0.6em;
text-align: center;
font-size: 85%;
}
.module-shortcutboxleft {
float: left;
margin: 0 1em 0 0;
}
.module-shortcutlist {
display: inline-block;
border-bottom: 1px solid #aaa;
margin-bottom: 0.2em;
}
.module-shortcutboxplain ul {
font-weight: bold;
}
.module-shortcutanchordiv {
position: relative;
top: -3em;
}
li .module-shortcutanchordiv {
float: right; /* IE/Edge in list items */
}
.mbox-imageright .module-shortcutboxplain {
padding: 0.4em 1em 0.4em 1em;
line-height: 1.3;
margin: 0;
}
ccf3877e4b14726147d3b1d8a297fbecacdb2cf8
Knight Galfry/infobox
0
83
664
447
2023-10-22T02:58:44Z
Katabasis
6
wikitext
text/x-wiki
{{Character Infobox
|name = Knight Galfry
|symbol = [[File:knightsign.png|22px]]
|symbol2 = [[File:Aspect_Hope.png|40px]]
|complex = [[File:Knight.png]]
|caption = {{RS quote|#4C00FF| '''<nowiki>c=|===></nowiki> TO ALL THINGS, AN END. AS IT WERE.'''}}
|intro = day they joined server
|title = {{Classpect|Hope|Knight}}
|age = {{Age|9}}
|gender = She/Her (Girl)
|status = Alive
|screenname = chivalrousCavalier
|style = Speaks in all caps, in an archaic lexis. Uses middle english pronouns. Appends an ascii sword to the start of her messages, but it contains a character that fucks with the code, so I can't replicate it here. Slorry.
|specibus = Shieldkind/Bladekind
|modus = Hoard
|relations = [[The Fortress|{{RS quote|#4C00FF|La Fortezza}}]] - [[Ancestors|Ancestor]]
|planet = Land of Storms and Rapture
|likes = Rainbowdrinkers.
|dislikes = Violets, on principle. Confusingly, though, by number, ''most'' of her friends are Violets.
|aka = Kishi ([[Mabuya Arnava]]), Nig#t ([[Ponzii]]), Galgie ([[Tewkid Bownes]])
|creator = [[user:Katabasis]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
e873cffba20818bee6892a5a035bff57310b9dcc
Module:Page tabs
828
90
666
285
2023-10-22T02:59:26Z
Mintology
8
1 revision imported: Page tabs Lua
Scribunto
text/plain
-- This module implements {{Page tabs}}.
local getArgs = require('Module:Arguments').getArgs
local yesno = require('Module:Yesno')
local p = {}
function p.main(frame)
local args = getArgs(frame)
return p._main(args)
end
function p._main(args)
local makeTab = p.makeTab
local root = mw.html.create()
root:wikitext(yesno(args.NOTOC) and '__NOTOC__' or nil)
local row = root:tag('div')
:css('background', args.Background or '#f8fcff')
:addClass('template-page-tabs')
if not args[1] then
args[1] = '{{{1}}}'
end
for i, link in ipairs(args) do
makeTab(row, link, args, i)
end
return tostring(root)
end
function p.makeTab(root, link, args, i)
local thisPage = (args.This == 'auto' and link:find('[[' .. mw.title.getCurrentTitle().prefixedText .. '|', 1, true)) or tonumber(args.This) == i
root:tag('span')
:css('background-color', thisPage and (args['tab-bg'] or 'white') or (args['tab1-bg'] or '#cee0f2'))
:cssText(thisPage and 'border-bottom:0;font-weight:bold' or 'font-size:95%')
:wikitext(link)
:done()
:wikitext('<span class="spacer"> </span>')
end
return p
1fe0298d1cbadd008d27d27f87e42fb011a07b32
File:Gibushyoufuckingidiot.gif
6
401
667
2023-10-22T03:02:43Z
Katabasis
6
Gibush completely beefs it.
wikitext
text/x-wiki
== Summary ==
Gibush completely beefs it.
2894dfecb1622ac906f8d6f37e259274033dcff2
File:Siniixgetsscared.gif
6
402
668
2023-10-22T03:03:36Z
Katabasis
6
The mailman arrives.
wikitext
text/x-wiki
== Summary ==
The mailman arrives.
9f83ebca506e7527153166951bdb34398efc6be2
File:PUNTnotmydamnproblem.gif
6
403
669
2023-10-22T03:04:42Z
Katabasis
6
Shikki gets tired of the Skoozeye's shit.
wikitext
text/x-wiki
== Summary ==
Shikki gets tired of the Skoozeye's shit.
e45ba50d502012f00b8b2d839e525f0a6ede8743
File:Taxidermist.gif
6
404
670
2023-10-22T03:05:39Z
Katabasis
6
skoozeye fucks around
wikitext
text/x-wiki
== Summary ==
skoozeye fucks around
be7694eb6dbb859e4175042362c442cb89f8ee40
File:Awoolegetsscared.gif
6
405
671
2023-10-22T03:06:38Z
Katabasis
6
ITS BEHIND YOU BOY
wikitext
text/x-wiki
== Summary ==
ITS BEHIND YOU BOY
e179a7bae8ce9078aad33069c73a36e7443f7375
File:Skoozeye.gif
6
406
672
2023-10-22T03:07:32Z
Katabasis
6
UH OH
wikitext
text/x-wiki
== Summary ==
UH OH
23c1655158c0fbadc367b396123541de1bd393af
Module:Arguments
828
407
674
673
2023-10-22T03:15:36Z
Mintology
8
1 revision imported: Lua module for page tabs
Scribunto
text/plain
-- This module provides easy processing of arguments passed to Scribunto from
-- #invoke. It is intended for use by other Lua modules, and should not be
-- called from #invoke directly.
local libraryUtil = require('libraryUtil')
local checkType = libraryUtil.checkType
local arguments = {}
-- Generate four different tidyVal functions, so that we don't have to check the
-- options every time we call it.
local function tidyValDefault(key, val)
if type(val) == 'string' then
val = val:match('^%s*(.-)%s*$')
if val == '' then
return nil
else
return val
end
else
return val
end
end
local function tidyValTrimOnly(key, val)
if type(val) == 'string' then
return val:match('^%s*(.-)%s*$')
else
return val
end
end
local function tidyValRemoveBlanksOnly(key, val)
if type(val) == 'string' then
if val:find('%S') then
return val
else
return nil
end
else
return val
end
end
local function tidyValNoChange(key, val)
return val
end
local function matchesTitle(given, title)
local tp = type( given )
return (tp == 'string' or tp == 'number') and mw.title.new( given ).prefixedText == title
end
local translate_mt = { __index = function(t, k) return k end }
function arguments.getArgs(frame, options)
checkType('getArgs', 1, frame, 'table', true)
checkType('getArgs', 2, options, 'table', true)
frame = frame or {}
options = options or {}
--[[
-- Set up argument translation.
--]]
options.translate = options.translate or {}
if getmetatable(options.translate) == nil then
setmetatable(options.translate, translate_mt)
end
if options.backtranslate == nil then
options.backtranslate = {}
for k,v in pairs(options.translate) do
options.backtranslate[v] = k
end
end
if options.backtranslate and getmetatable(options.backtranslate) == nil then
setmetatable(options.backtranslate, {
__index = function(t, k)
if options.translate[k] ~= k then
return nil
else
return k
end
end
})
end
--[[
-- Get the argument tables. If we were passed a valid frame object, get the
-- frame arguments (fargs) and the parent frame arguments (pargs), depending
-- on the options set and on the parent frame's availability. If we weren't
-- passed a valid frame object, we are being called from another Lua module
-- or from the debug console, so assume that we were passed a table of args
-- directly, and assign it to a new variable (luaArgs).
--]]
local fargs, pargs, luaArgs
if type(frame.args) == 'table' and type(frame.getParent) == 'function' then
if options.wrappers then
--[[
-- The wrappers option makes Module:Arguments look up arguments in
-- either the frame argument table or the parent argument table, but
-- not both. This means that users can use either the #invoke syntax
-- or a wrapper template without the loss of performance associated
-- with looking arguments up in both the frame and the parent frame.
-- Module:Arguments will look up arguments in the parent frame
-- if it finds the parent frame's title in options.wrapper;
-- otherwise it will look up arguments in the frame object passed
-- to getArgs.
--]]
local parent = frame:getParent()
if not parent then
fargs = frame.args
else
local title = parent:getTitle():gsub('/sandbox$', '')
local found = false
if matchesTitle(options.wrappers, title) then
found = true
elseif type(options.wrappers) == 'table' then
for _,v in pairs(options.wrappers) do
if matchesTitle(v, title) then
found = true
break
end
end
end
-- We test for false specifically here so that nil (the default) acts like true.
if found or options.frameOnly == false then
pargs = parent.args
end
if not found or options.parentOnly == false then
fargs = frame.args
end
end
else
-- options.wrapper isn't set, so check the other options.
if not options.parentOnly then
fargs = frame.args
end
if not options.frameOnly then
local parent = frame:getParent()
pargs = parent and parent.args or nil
end
end
if options.parentFirst then
fargs, pargs = pargs, fargs
end
else
luaArgs = frame
end
-- Set the order of precedence of the argument tables. If the variables are
-- nil, nothing will be added to the table, which is how we avoid clashes
-- between the frame/parent args and the Lua args.
local argTables = {fargs}
argTables[#argTables + 1] = pargs
argTables[#argTables + 1] = luaArgs
--[[
-- Generate the tidyVal function. If it has been specified by the user, we
-- use that; if not, we choose one of four functions depending on the
-- options chosen. This is so that we don't have to call the options table
-- every time the function is called.
--]]
local tidyVal = options.valueFunc
if tidyVal then
if type(tidyVal) ~= 'function' then
error(
"bad value assigned to option 'valueFunc'"
.. '(function expected, got '
.. type(tidyVal)
.. ')',
2
)
end
elseif options.trim ~= false then
if options.removeBlanks ~= false then
tidyVal = tidyValDefault
else
tidyVal = tidyValTrimOnly
end
else
if options.removeBlanks ~= false then
tidyVal = tidyValRemoveBlanksOnly
else
tidyVal = tidyValNoChange
end
end
--[[
-- Set up the args, metaArgs and nilArgs tables. args will be the one
-- accessed from functions, and metaArgs will hold the actual arguments. Nil
-- arguments are memoized in nilArgs, and the metatable connects all of them
-- together.
--]]
local args, metaArgs, nilArgs, metatable = {}, {}, {}, {}
setmetatable(args, metatable)
local function mergeArgs(tables)
--[[
-- Accepts multiple tables as input and merges their keys and values
-- into one table. If a value is already present it is not overwritten;
-- tables listed earlier have precedence. We are also memoizing nil
-- values, which can be overwritten if they are 's' (soft).
--]]
for _, t in ipairs(tables) do
for key, val in pairs(t) do
if metaArgs[key] == nil and nilArgs[key] ~= 'h' then
local tidiedVal = tidyVal(key, val)
if tidiedVal == nil then
nilArgs[key] = 's'
else
metaArgs[key] = tidiedVal
end
end
end
end
end
--[[
-- Define metatable behaviour. Arguments are memoized in the metaArgs table,
-- and are only fetched from the argument tables once. Fetching arguments
-- from the argument tables is the most resource-intensive step in this
-- module, so we try and avoid it where possible. For this reason, nil
-- arguments are also memoized, in the nilArgs table. Also, we keep a record
-- in the metatable of when pairs and ipairs have been called, so we do not
-- run pairs and ipairs on the argument tables more than once. We also do
-- not run ipairs on fargs and pargs if pairs has already been run, as all
-- the arguments will already have been copied over.
--]]
metatable.__index = function (t, key)
--[[
-- Fetches an argument when the args table is indexed. First we check
-- to see if the value is memoized, and if not we try and fetch it from
-- the argument tables. When we check memoization, we need to check
-- metaArgs before nilArgs, as both can be non-nil at the same time.
-- If the argument is not present in metaArgs, we also check whether
-- pairs has been run yet. If pairs has already been run, we return nil.
-- This is because all the arguments will have already been copied into
-- metaArgs by the mergeArgs function, meaning that any other arguments
-- must be nil.
--]]
if type(key) == 'string' then
key = options.translate[key]
end
local val = metaArgs[key]
if val ~= nil then
return val
elseif metatable.donePairs or nilArgs[key] then
return nil
end
for _, argTable in ipairs(argTables) do
local argTableVal = tidyVal(key, argTable[key])
if argTableVal ~= nil then
metaArgs[key] = argTableVal
return argTableVal
end
end
nilArgs[key] = 'h'
return nil
end
metatable.__newindex = function (t, key, val)
-- This function is called when a module tries to add a new value to the
-- args table, or tries to change an existing value.
if type(key) == 'string' then
key = options.translate[key]
end
if options.readOnly then
error(
'could not write to argument table key "'
.. tostring(key)
.. '"; the table is read-only',
2
)
elseif options.noOverwrite and args[key] ~= nil then
error(
'could not write to argument table key "'
.. tostring(key)
.. '"; overwriting existing arguments is not permitted',
2
)
elseif val == nil then
--[[
-- If the argument is to be overwritten with nil, we need to erase
-- the value in metaArgs, so that __index, __pairs and __ipairs do
-- not use a previous existing value, if present; and we also need
-- to memoize the nil in nilArgs, so that the value isn't looked
-- up in the argument tables if it is accessed again.
--]]
metaArgs[key] = nil
nilArgs[key] = 'h'
else
metaArgs[key] = val
end
end
local function translatenext(invariant)
local k, v = next(invariant.t, invariant.k)
invariant.k = k
if k == nil then
return nil
elseif type(k) ~= 'string' or not options.backtranslate then
return k, v
else
local backtranslate = options.backtranslate[k]
if backtranslate == nil then
-- Skip this one. This is a tail call, so this won't cause stack overflow
return translatenext(invariant)
else
return backtranslate, v
end
end
end
metatable.__pairs = function ()
-- Called when pairs is run on the args table.
if not metatable.donePairs then
mergeArgs(argTables)
metatable.donePairs = true
end
return translatenext, { t = metaArgs }
end
local function inext(t, i)
-- This uses our __index metamethod
local v = t[i + 1]
if v ~= nil then
return i + 1, v
end
end
metatable.__ipairs = function (t)
-- Called when ipairs is run on the args table.
return inext, t, 0
end
return args
end
return arguments
3134ecce8429b810d445e29eae115e2ae4c36c53
Module:Documentation
828
408
676
675
2023-10-22T03:15:37Z
Mintology
8
1 revision imported: Lua module for page tabs
wikitext
text/x-wiki
{{#invoke:documentation|main|_content={{ {{#invoke:documentation|contentTitle}}}}}}<noinclude>[[Category:Templates]]</noinclude>
9885bb4fa99bf3d5b960e73606bbb8eed3026877
680
676
2023-10-22T03:15:38Z
Mintology
8
1 revision imported: Lua module for page tabs
wikitext
text/x-wiki
{{#invoke:documentation|main|_content={{ {{#invoke:documentation|contentTitle}}}}}}<noinclude>[[Category:Templates]]</noinclude>
9885bb4fa99bf3d5b960e73606bbb8eed3026877
712
680
2023-10-22T03:29:43Z
Mintology
8
1 revision imported: i'll import a thousand lua modules before i let this company die
wikitext
text/x-wiki
{{#invoke:documentation|main|_content={{ {{#invoke:documentation|contentTitle}}}}}}<noinclude>[[Category:Templates]]</noinclude>
9885bb4fa99bf3d5b960e73606bbb8eed3026877
Module:Documentation subpage
828
409
678
677
2023-10-22T03:15:38Z
Mintology
8
1 revision imported: Lua module for page tabs
wikitext
text/x-wiki
<includeonly><!--
-->{{#ifeq:{{lc:{{SUBPAGENAME}}}} |{{{override|doc}}}
| <!--(this template has been transcluded on a /doc or /{{{override}}} page)-->
</includeonly><!--
-->{{#ifeq:{{{doc-notice|show}}} |show
| {{Mbox
| type = notice
| style = margin-bottom:1.0em;
| image = [[File:Edit-copy green.svg|40px|alt=|link=]]
| text =
'''This is a documentation subpage''' for '''{{{1|[[:{{SUBJECTSPACE}}:{{BASEPAGENAME}}]]}}}'''.<br/> It contains usage information, [[mw:Help:Categories|categories]] and other content that is not part of the original {{#if:{{{text2|}}} |{{{text2}}} |{{#if:{{{text1|}}} |{{{text1}}} | page}}}}.
}}
}}<!--
-->{{DEFAULTSORT:{{{defaultsort|{{PAGENAME}}}}}}}<!--
-->{{#if:{{{inhibit|}}} |<!--(don't categorize)-->
| <includeonly><!--
-->{{#ifexist:{{NAMESPACE}}:{{BASEPAGENAME}}
| [[Category:{{#switch:{{SUBJECTSPACE}} |Template=Template |Module=Module |User=User |#default=Wikipedia}} documentation pages]]
| [[Category:Documentation subpages without corresponding pages]]
}}<!--
--></includeonly>
}}<!--
(completing initial #ifeq: at start of template:)
--><includeonly>
| <!--(this template has not been transcluded on a /doc or /{{{override}}} page)-->
}}<!--
--></includeonly><noinclude>{{Documentation}}</noinclude>
471e685c1c643a5c6272e20e49824fffebad0448
Module:Documentation/config
828
410
682
681
2023-10-22T03:15:38Z
Mintology
8
1 revision imported: Lua module for page tabs
Scribunto
text/plain
----------------------------------------------------------------------------------------------------
--
-- Configuration for Module:Documentation
--
-- Here you can set the values of the parameters and messages used in Module:Documentation to
-- localise it to your wiki and your language. Unless specified otherwise, values given here
-- should be string values.
----------------------------------------------------------------------------------------------------
local cfg = {} -- Do not edit this line.
----------------------------------------------------------------------------------------------------
-- Start box configuration
----------------------------------------------------------------------------------------------------
-- cfg['documentation-icon-wikitext']
-- The wikitext for the icon shown at the top of the template.
cfg['documentation-icon-wikitext'] = '[[File:Test Template Info-Icon - Version (2).svg|50px|link=|alt=]]'
-- cfg['template-namespace-heading']
-- The heading shown in the template namespace.
cfg['template-namespace-heading'] = 'Template documentation'
-- cfg['module-namespace-heading']
-- The heading shown in the module namespace.
cfg['module-namespace-heading'] = 'Module documentation'
-- cfg['file-namespace-heading']
-- The heading shown in the file namespace.
cfg['file-namespace-heading'] = 'Summary'
-- cfg['other-namespaces-heading']
-- The heading shown in other namespaces.
cfg['other-namespaces-heading'] = 'Documentation'
-- cfg['view-link-display']
-- The text to display for "view" links.
cfg['view-link-display'] = 'view'
-- cfg['edit-link-display']
-- The text to display for "edit" links.
cfg['edit-link-display'] = 'edit'
-- cfg['history-link-display']
-- The text to display for "history" links.
cfg['history-link-display'] = 'history'
-- cfg['purge-link-display']
-- The text to display for "purge" links.
cfg['purge-link-display'] = 'purge'
-- cfg['create-link-display']
-- The text to display for "create" links.
cfg['create-link-display'] = 'create'
----------------------------------------------------------------------------------------------------
-- Link box (end box) configuration
----------------------------------------------------------------------------------------------------
-- cfg['transcluded-from-blurb']
-- Notice displayed when the docs are transcluded from another page. $1 is a wikilink to that page.
cfg['transcluded-from-blurb'] = 'The above [[w:Wikipedia:Template documentation|documentation]] is [[mw:Help:Transclusion|transcluded]] from $1.'
--[[
-- cfg['create-module-doc-blurb']
-- Notice displayed in the module namespace when the documentation subpage does not exist.
-- $1 is a link to create the documentation page with the preload cfg['module-preload'] and the
-- display cfg['create-link-display'].
--]]
cfg['create-module-doc-blurb'] = 'You might want to $1 a documentation page for this [[mw:Extension:Scribunto/Lua reference manual|Scribunto module]].'
----------------------------------------------------------------------------------------------------
-- Experiment blurb configuration
----------------------------------------------------------------------------------------------------
--[[
-- cfg['experiment-blurb-template']
-- cfg['experiment-blurb-module']
-- The experiment blurb is the text inviting editors to experiment in sandbox and test cases pages.
-- It is only shown in the template and module namespaces. With the default English settings, it
-- might look like this:
--
-- Editors can experiment in this template's sandbox (edit | diff) and testcases (edit) pages.
--
-- In this example, "sandbox", "edit", "diff", "testcases", and "edit" would all be links.
--
-- There are two versions, cfg['experiment-blurb-template'] and cfg['experiment-blurb-module'], depending
-- on what namespace we are in.
--
-- Parameters:
--
-- $1 is a link to the sandbox page. If the sandbox exists, it is in the following format:
--
-- cfg['sandbox-link-display'] (cfg['sandbox-edit-link-display'] | cfg['compare-link-display'])
--
-- If the sandbox doesn't exist, it is in the format:
--
-- cfg['sandbox-link-display'] (cfg['sandbox-create-link-display'] | cfg['mirror-link-display'])
--
-- The link for cfg['sandbox-create-link-display'] link preloads the page with cfg['template-sandbox-preload']
-- or cfg['module-sandbox-preload'], depending on the current namespace. The link for cfg['mirror-link-display']
-- loads a default edit summary of cfg['mirror-edit-summary'].
--
-- $2 is a link to the test cases page. If the test cases page exists, it is in the following format:
--
-- cfg['testcases-link-display'] (cfg['testcases-edit-link-display'] | cfg['testcases-run-link-display'])
--
-- If the test cases page doesn't exist, it is in the format:
--
-- cfg['testcases-link-display'] (cfg['testcases-create-link-display'])
--
-- If the test cases page doesn't exist, the link for cfg['testcases-create-link-display'] preloads the
-- page with cfg['template-testcases-preload'] or cfg['module-testcases-preload'], depending on the current
-- namespace.
--]]
cfg['experiment-blurb-template'] = "Editors can experiment in this template's $1 and $2 pages."
cfg['experiment-blurb-module'] = "Editors can experiment in this module's $1 and $2 pages."
----------------------------------------------------------------------------------------------------
-- Sandbox link configuration
----------------------------------------------------------------------------------------------------
-- cfg['sandbox-subpage']
-- The name of the template subpage typically used for sandboxes.
cfg['sandbox-subpage'] = 'sandbox'
-- cfg['template-sandbox-preload']
-- Preload file for template sandbox pages.
cfg['template-sandbox-preload'] = 'Template:Documentation/preload-sandbox'
-- cfg['module-sandbox-preload']
-- Preload file for Lua module sandbox pages.
cfg['module-sandbox-preload'] = 'Template:Documentation/preload-module-sandbox'
-- cfg['sandbox-link-display']
-- The text to display for "sandbox" links.
cfg['sandbox-link-display'] = 'sandbox'
-- cfg['sandbox-edit-link-display']
-- The text to display for sandbox "edit" links.
cfg['sandbox-edit-link-display'] = 'edit'
-- cfg['sandbox-create-link-display']
-- The text to display for sandbox "create" links.
cfg['sandbox-create-link-display'] = 'create'
-- cfg['compare-link-display']
-- The text to display for "compare" links.
cfg['compare-link-display'] = 'diff'
-- cfg['mirror-edit-summary']
-- The default edit summary to use when a user clicks the "mirror" link. $1 is a wikilink to the
-- template page.
cfg['mirror-edit-summary'] = 'Create sandbox version of $1'
-- cfg['mirror-link-display']
-- The text to display for "mirror" links.
cfg['mirror-link-display'] = 'mirror'
-- cfg['mirror-link-preload']
-- The page to preload when a user clicks the "mirror" link.
cfg['mirror-link-preload'] = 'Template:Documentation/mirror'
----------------------------------------------------------------------------------------------------
-- Test cases link configuration
----------------------------------------------------------------------------------------------------
-- cfg['testcases-subpage']
-- The name of the template subpage typically used for test cases.
cfg['testcases-subpage'] = 'testcases'
-- cfg['template-testcases-preload']
-- Preload file for template test cases pages.
cfg['template-testcases-preload'] = 'Template:Documentation/preload-testcases'
-- cfg['module-testcases-preload']
-- Preload file for Lua module test cases pages.
cfg['module-testcases-preload'] = 'Template:Documentation/preload-module-testcases'
-- cfg['testcases-link-display']
-- The text to display for "testcases" links.
cfg['testcases-link-display'] = 'testcases'
-- cfg['testcases-edit-link-display']
-- The text to display for test cases "edit" links.
cfg['testcases-edit-link-display'] = 'edit'
-- cfg['testcases-run-link-display']
-- The text to display for test cases "run" links.
cfg['testcases-run-link-display'] = 'run'
-- cfg['testcases-create-link-display']
-- The text to display for test cases "create" links.
cfg['testcases-create-link-display'] = 'create'
----------------------------------------------------------------------------------------------------
-- Add categories blurb configuration
----------------------------------------------------------------------------------------------------
--[[
-- cfg['add-categories-blurb']
-- Text to direct users to add categories to the /doc subpage. Not used if the "content" or
-- "docname fed" arguments are set, as then it is not clear where to add the categories. $1 is a
-- link to the /doc subpage with a display value of cfg['doc-link-display'].
--]]
cfg['add-categories-blurb'] = 'Add categories to the $1 subpage.'
-- cfg['doc-link-display']
-- The text to display when linking to the /doc subpage.
cfg['doc-link-display'] = '/doc'
----------------------------------------------------------------------------------------------------
-- Subpages link configuration
----------------------------------------------------------------------------------------------------
--[[
-- cfg['subpages-blurb']
-- The "Subpages of this template" blurb. $1 is a link to the main template's subpages with a
-- display value of cfg['subpages-link-display']. In the English version this blurb is simply
-- the link followed by a period, and the link display provides the actual text.
--]]
cfg['subpages-blurb'] = '$1.'
--[[
-- cfg['subpages-link-display']
-- The text to display for the "subpages of this page" link. $1 is cfg['template-pagetype'],
-- cfg['module-pagetype'] or cfg['default-pagetype'], depending on whether the current page is in
-- the template namespace, the module namespace, or another namespace.
--]]
cfg['subpages-link-display'] = 'Subpages of this $1'
-- cfg['template-pagetype']
-- The pagetype to display for template pages.
cfg['template-pagetype'] = 'template'
-- cfg['module-pagetype']
-- The pagetype to display for Lua module pages.
cfg['module-pagetype'] = 'module'
-- cfg['default-pagetype']
-- The pagetype to display for pages other than templates or Lua modules.
cfg['default-pagetype'] = 'page'
----------------------------------------------------------------------------------------------------
-- Doc link configuration
----------------------------------------------------------------------------------------------------
-- cfg['doc-subpage']
-- The name of the subpage typically used for documentation pages.
cfg['doc-subpage'] = 'doc'
-- cfg['docpage-preload']
-- Preload file for template documentation pages in all namespaces.
cfg['docpage-preload'] = 'Template:Documentation/preload'
-- cfg['module-preload']
-- Preload file for Lua module documentation pages.
cfg['module-preload'] = 'Template:Documentation/preload-module-doc'
----------------------------------------------------------------------------------------------------
-- HTML and CSS configuration
----------------------------------------------------------------------------------------------------
-- cfg['templatestyles']
-- The name of the TemplateStyles page where CSS is kept.
-- Sandbox CSS will be at Module:Documentation/sandbox/styles.css when needed.
cfg['templatestyles'] = 'Module:Documentation/styles.css'
-- cfg['container']
-- Class which can be used to set flex or grid CSS on the
-- two child divs documentation and documentation-metadata
cfg['container'] = 'documentation-container'
-- cfg['main-div-classes']
-- Classes added to the main HTML "div" tag.
cfg['main-div-classes'] = 'documentation'
-- cfg['main-div-heading-class']
-- Class for the main heading for templates and modules and assoc. talk spaces
cfg['main-div-heading-class'] = 'documentation-heading'
-- cfg['start-box-class']
-- Class for the start box
cfg['start-box-class'] = 'documentation-startbox'
-- cfg['start-box-link-classes']
-- Classes used for the [view][edit][history] or [create] links in the start box.
-- mw-editsection-like is per [[Wikipedia:Village pump (technical)/Archive 117]]
cfg['start-box-link-classes'] = 'mw-editsection-like plainlinks'
-- cfg['end-box-class']
-- Class for the end box.
cfg['end-box-class'] = 'documentation-metadata'
-- cfg['end-box-plainlinks']
-- Plainlinks
cfg['end-box-plainlinks'] = 'plainlinks'
-- cfg['toolbar-class']
-- Class added for toolbar links.
cfg['toolbar-class'] = 'documentation-toolbar'
-- cfg['clear']
-- Just used to clear things.
cfg['clear'] = 'documentation-clear'
----------------------------------------------------------------------------------------------------
-- Tracking category configuration
----------------------------------------------------------------------------------------------------
-- cfg['display-strange-usage-category']
-- Set to true to enable output of cfg['strange-usage-category'] if the module is used on a /doc subpage
-- or a /testcases subpage. This should be a boolean value (either true or false).
cfg['display-strange-usage-category'] = true
-- cfg['strange-usage-category']
-- Category to output if cfg['display-strange-usage-category'] is set to true and the module is used on a
-- /doc subpage or a /testcases subpage.
cfg['strange-usage-category'] = 'Wikipedia pages with strange ((documentation)) usage'
--[[
----------------------------------------------------------------------------------------------------
-- End configuration
--
-- Don't edit anything below this line.
----------------------------------------------------------------------------------------------------
--]]
return cfg
d70e8b1402a2bbe08a1fef4b75d743e661af0c95
714
682
2023-10-22T03:29:44Z
Mintology
8
1 revision imported: i'll import a thousand lua modules before i let this company die
Scribunto
text/plain
----------------------------------------------------------------------------------------------------
--
-- Configuration for Module:Documentation
--
-- Here you can set the values of the parameters and messages used in Module:Documentation to
-- localise it to your wiki and your language. Unless specified otherwise, values given here
-- should be string values.
----------------------------------------------------------------------------------------------------
local cfg = {} -- Do not edit this line.
----------------------------------------------------------------------------------------------------
-- Start box configuration
----------------------------------------------------------------------------------------------------
-- cfg['documentation-icon-wikitext']
-- The wikitext for the icon shown at the top of the template.
cfg['documentation-icon-wikitext'] = '[[File:Test Template Info-Icon - Version (2).svg|50px|link=|alt=]]'
-- cfg['template-namespace-heading']
-- The heading shown in the template namespace.
cfg['template-namespace-heading'] = 'Template documentation'
-- cfg['module-namespace-heading']
-- The heading shown in the module namespace.
cfg['module-namespace-heading'] = 'Module documentation'
-- cfg['file-namespace-heading']
-- The heading shown in the file namespace.
cfg['file-namespace-heading'] = 'Summary'
-- cfg['other-namespaces-heading']
-- The heading shown in other namespaces.
cfg['other-namespaces-heading'] = 'Documentation'
-- cfg['view-link-display']
-- The text to display for "view" links.
cfg['view-link-display'] = 'view'
-- cfg['edit-link-display']
-- The text to display for "edit" links.
cfg['edit-link-display'] = 'edit'
-- cfg['history-link-display']
-- The text to display for "history" links.
cfg['history-link-display'] = 'history'
-- cfg['purge-link-display']
-- The text to display for "purge" links.
cfg['purge-link-display'] = 'purge'
-- cfg['create-link-display']
-- The text to display for "create" links.
cfg['create-link-display'] = 'create'
----------------------------------------------------------------------------------------------------
-- Link box (end box) configuration
----------------------------------------------------------------------------------------------------
-- cfg['transcluded-from-blurb']
-- Notice displayed when the docs are transcluded from another page. $1 is a wikilink to that page.
cfg['transcluded-from-blurb'] = 'The above [[w:Wikipedia:Template documentation|documentation]] is [[mw:Help:Transclusion|transcluded]] from $1.'
--[[
-- cfg['create-module-doc-blurb']
-- Notice displayed in the module namespace when the documentation subpage does not exist.
-- $1 is a link to create the documentation page with the preload cfg['module-preload'] and the
-- display cfg['create-link-display'].
--]]
cfg['create-module-doc-blurb'] = 'You might want to $1 a documentation page for this [[mw:Extension:Scribunto/Lua reference manual|Scribunto module]].'
----------------------------------------------------------------------------------------------------
-- Experiment blurb configuration
----------------------------------------------------------------------------------------------------
--[[
-- cfg['experiment-blurb-template']
-- cfg['experiment-blurb-module']
-- The experiment blurb is the text inviting editors to experiment in sandbox and test cases pages.
-- It is only shown in the template and module namespaces. With the default English settings, it
-- might look like this:
--
-- Editors can experiment in this template's sandbox (edit | diff) and testcases (edit) pages.
--
-- In this example, "sandbox", "edit", "diff", "testcases", and "edit" would all be links.
--
-- There are two versions, cfg['experiment-blurb-template'] and cfg['experiment-blurb-module'], depending
-- on what namespace we are in.
--
-- Parameters:
--
-- $1 is a link to the sandbox page. If the sandbox exists, it is in the following format:
--
-- cfg['sandbox-link-display'] (cfg['sandbox-edit-link-display'] | cfg['compare-link-display'])
--
-- If the sandbox doesn't exist, it is in the format:
--
-- cfg['sandbox-link-display'] (cfg['sandbox-create-link-display'] | cfg['mirror-link-display'])
--
-- The link for cfg['sandbox-create-link-display'] link preloads the page with cfg['template-sandbox-preload']
-- or cfg['module-sandbox-preload'], depending on the current namespace. The link for cfg['mirror-link-display']
-- loads a default edit summary of cfg['mirror-edit-summary'].
--
-- $2 is a link to the test cases page. If the test cases page exists, it is in the following format:
--
-- cfg['testcases-link-display'] (cfg['testcases-edit-link-display'] | cfg['testcases-run-link-display'])
--
-- If the test cases page doesn't exist, it is in the format:
--
-- cfg['testcases-link-display'] (cfg['testcases-create-link-display'])
--
-- If the test cases page doesn't exist, the link for cfg['testcases-create-link-display'] preloads the
-- page with cfg['template-testcases-preload'] or cfg['module-testcases-preload'], depending on the current
-- namespace.
--]]
cfg['experiment-blurb-template'] = "Editors can experiment in this template's $1 and $2 pages."
cfg['experiment-blurb-module'] = "Editors can experiment in this module's $1 and $2 pages."
----------------------------------------------------------------------------------------------------
-- Sandbox link configuration
----------------------------------------------------------------------------------------------------
-- cfg['sandbox-subpage']
-- The name of the template subpage typically used for sandboxes.
cfg['sandbox-subpage'] = 'sandbox'
-- cfg['template-sandbox-preload']
-- Preload file for template sandbox pages.
cfg['template-sandbox-preload'] = 'Template:Documentation/preload-sandbox'
-- cfg['module-sandbox-preload']
-- Preload file for Lua module sandbox pages.
cfg['module-sandbox-preload'] = 'Template:Documentation/preload-module-sandbox'
-- cfg['sandbox-link-display']
-- The text to display for "sandbox" links.
cfg['sandbox-link-display'] = 'sandbox'
-- cfg['sandbox-edit-link-display']
-- The text to display for sandbox "edit" links.
cfg['sandbox-edit-link-display'] = 'edit'
-- cfg['sandbox-create-link-display']
-- The text to display for sandbox "create" links.
cfg['sandbox-create-link-display'] = 'create'
-- cfg['compare-link-display']
-- The text to display for "compare" links.
cfg['compare-link-display'] = 'diff'
-- cfg['mirror-edit-summary']
-- The default edit summary to use when a user clicks the "mirror" link. $1 is a wikilink to the
-- template page.
cfg['mirror-edit-summary'] = 'Create sandbox version of $1'
-- cfg['mirror-link-display']
-- The text to display for "mirror" links.
cfg['mirror-link-display'] = 'mirror'
-- cfg['mirror-link-preload']
-- The page to preload when a user clicks the "mirror" link.
cfg['mirror-link-preload'] = 'Template:Documentation/mirror'
----------------------------------------------------------------------------------------------------
-- Test cases link configuration
----------------------------------------------------------------------------------------------------
-- cfg['testcases-subpage']
-- The name of the template subpage typically used for test cases.
cfg['testcases-subpage'] = 'testcases'
-- cfg['template-testcases-preload']
-- Preload file for template test cases pages.
cfg['template-testcases-preload'] = 'Template:Documentation/preload-testcases'
-- cfg['module-testcases-preload']
-- Preload file for Lua module test cases pages.
cfg['module-testcases-preload'] = 'Template:Documentation/preload-module-testcases'
-- cfg['testcases-link-display']
-- The text to display for "testcases" links.
cfg['testcases-link-display'] = 'testcases'
-- cfg['testcases-edit-link-display']
-- The text to display for test cases "edit" links.
cfg['testcases-edit-link-display'] = 'edit'
-- cfg['testcases-run-link-display']
-- The text to display for test cases "run" links.
cfg['testcases-run-link-display'] = 'run'
-- cfg['testcases-create-link-display']
-- The text to display for test cases "create" links.
cfg['testcases-create-link-display'] = 'create'
----------------------------------------------------------------------------------------------------
-- Add categories blurb configuration
----------------------------------------------------------------------------------------------------
--[[
-- cfg['add-categories-blurb']
-- Text to direct users to add categories to the /doc subpage. Not used if the "content" or
-- "docname fed" arguments are set, as then it is not clear where to add the categories. $1 is a
-- link to the /doc subpage with a display value of cfg['doc-link-display'].
--]]
cfg['add-categories-blurb'] = 'Add categories to the $1 subpage.'
-- cfg['doc-link-display']
-- The text to display when linking to the /doc subpage.
cfg['doc-link-display'] = '/doc'
----------------------------------------------------------------------------------------------------
-- Subpages link configuration
----------------------------------------------------------------------------------------------------
--[[
-- cfg['subpages-blurb']
-- The "Subpages of this template" blurb. $1 is a link to the main template's subpages with a
-- display value of cfg['subpages-link-display']. In the English version this blurb is simply
-- the link followed by a period, and the link display provides the actual text.
--]]
cfg['subpages-blurb'] = '$1.'
--[[
-- cfg['subpages-link-display']
-- The text to display for the "subpages of this page" link. $1 is cfg['template-pagetype'],
-- cfg['module-pagetype'] or cfg['default-pagetype'], depending on whether the current page is in
-- the template namespace, the module namespace, or another namespace.
--]]
cfg['subpages-link-display'] = 'Subpages of this $1'
-- cfg['template-pagetype']
-- The pagetype to display for template pages.
cfg['template-pagetype'] = 'template'
-- cfg['module-pagetype']
-- The pagetype to display for Lua module pages.
cfg['module-pagetype'] = 'module'
-- cfg['default-pagetype']
-- The pagetype to display for pages other than templates or Lua modules.
cfg['default-pagetype'] = 'page'
----------------------------------------------------------------------------------------------------
-- Doc link configuration
----------------------------------------------------------------------------------------------------
-- cfg['doc-subpage']
-- The name of the subpage typically used for documentation pages.
cfg['doc-subpage'] = 'doc'
-- cfg['docpage-preload']
-- Preload file for template documentation pages in all namespaces.
cfg['docpage-preload'] = 'Template:Documentation/preload'
-- cfg['module-preload']
-- Preload file for Lua module documentation pages.
cfg['module-preload'] = 'Template:Documentation/preload-module-doc'
----------------------------------------------------------------------------------------------------
-- HTML and CSS configuration
----------------------------------------------------------------------------------------------------
-- cfg['templatestyles']
-- The name of the TemplateStyles page where CSS is kept.
-- Sandbox CSS will be at Module:Documentation/sandbox/styles.css when needed.
cfg['templatestyles'] = 'Module:Documentation/styles.css'
-- cfg['container']
-- Class which can be used to set flex or grid CSS on the
-- two child divs documentation and documentation-metadata
cfg['container'] = 'documentation-container'
-- cfg['main-div-classes']
-- Classes added to the main HTML "div" tag.
cfg['main-div-classes'] = 'documentation'
-- cfg['main-div-heading-class']
-- Class for the main heading for templates and modules and assoc. talk spaces
cfg['main-div-heading-class'] = 'documentation-heading'
-- cfg['start-box-class']
-- Class for the start box
cfg['start-box-class'] = 'documentation-startbox'
-- cfg['start-box-link-classes']
-- Classes used for the [view][edit][history] or [create] links in the start box.
-- mw-editsection-like is per [[Wikipedia:Village pump (technical)/Archive 117]]
cfg['start-box-link-classes'] = 'mw-editsection-like plainlinks'
-- cfg['end-box-class']
-- Class for the end box.
cfg['end-box-class'] = 'documentation-metadata'
-- cfg['end-box-plainlinks']
-- Plainlinks
cfg['end-box-plainlinks'] = 'plainlinks'
-- cfg['toolbar-class']
-- Class added for toolbar links.
cfg['toolbar-class'] = 'documentation-toolbar'
-- cfg['clear']
-- Just used to clear things.
cfg['clear'] = 'documentation-clear'
----------------------------------------------------------------------------------------------------
-- Tracking category configuration
----------------------------------------------------------------------------------------------------
-- cfg['display-strange-usage-category']
-- Set to true to enable output of cfg['strange-usage-category'] if the module is used on a /doc subpage
-- or a /testcases subpage. This should be a boolean value (either true or false).
cfg['display-strange-usage-category'] = true
-- cfg['strange-usage-category']
-- Category to output if cfg['display-strange-usage-category'] is set to true and the module is used on a
-- /doc subpage or a /testcases subpage.
cfg['strange-usage-category'] = 'Wikipedia pages with strange ((documentation)) usage'
--[[
----------------------------------------------------------------------------------------------------
-- End configuration
--
-- Don't edit anything below this line.
----------------------------------------------------------------------------------------------------
--]]
return cfg
d70e8b1402a2bbe08a1fef4b75d743e661af0c95
Module:Documentation/styles.css
828
411
684
683
2023-10-22T03:15:39Z
Mintology
8
1 revision imported: Lua module for page tabs
text
text/plain
.documentation,
.documentation-metadata {
border: 1px solid #a2a9b1;
background-color: #ecfcf4;
clear: both;
}
.documentation {
margin: 1em 0 0 0;
padding: 1em;
}
.documentation-metadata {
margin: 0.2em 0; /* same margin left-right as .documentation */
font-style: italic;
padding: 0.4em 1em; /* same padding left-right as .documentation */
}
.documentation-startbox {
padding-bottom: 3px;
border-bottom: 1px solid #aaa;
margin-bottom: 1ex;
}
.documentation-heading {
font-weight: bold;
font-size: 125%;
}
.documentation-clear { /* Don't want things to stick out where they shouldn't. */
clear: both;
}
.documentation-toolbar {
font-style: normal;
font-size: 85%;
}
/* [[Category:Template stylesheets]] */
5fb984fe8632dc068db16853a824c9f3d5175dd9
Module:Arguments/doc
828
412
686
685
2023-10-22T03:15:39Z
Mintology
8
1 revision imported: Lua module for page tabs
wikitext
text/x-wiki
{{documentation subpage}}
This module provides easy processing of arguments passed from <code>#invoke</code>. It is a meta-module, meant for use by other modules, and should not be called from <code>#invoke</code> directly. Its features include:
* Easy trimming of arguments and removal of blank arguments.
* Arguments can be passed by both the current frame and by the parent frame at the same time. (More details below.)
* Arguments can be passed in directly from another Lua module or from the debug console.
* Most features can be customized.
== Basic use ==
First, you need to load the module. It contains one function, named <code>getArgs</code>.
<syntaxhighlight lang="lua">
local getArgs = require('Module:Arguments').getArgs
</syntaxhighlight>
In the most basic scenario, you can use getArgs inside your main function. The variable <code>args</code> is a table containing the arguments from #invoke. (See below for details.)
<syntaxhighlight lang="lua">
local getArgs = require('Module:Arguments').getArgs
local p = {}
function p.main(frame)
local args = getArgs(frame)
-- Main module code goes here.
end
return p
</syntaxhighlight>
=== Recommended practice ===
However, the recommended practice is to use a function just for processing arguments from #invoke. This means that if someone calls your module from another Lua module you don't have to have a frame object available, which improves performance.
<syntaxhighlight lang="lua">
local getArgs = require('Module:Arguments').getArgs
local p = {}
function p.main(frame)
local args = getArgs(frame)
return p._main(args)
end
function p._main(args)
-- Main module code goes here.
end
return p
</syntaxhighlight>
The way this is called from a template is <code><nowiki>{{#invoke:Example|main}}</nowiki></code> (optionally with some parameters like <code><nowiki>{{#invoke:Example|main|arg1=value1|arg2=value2}}</nowiki></code>), and the way this is called from a module is <syntaxhighlight lang=lua inline>require('Module:Example')._main({arg1 = 'value1', arg2 = value2, 'spaced arg3' = 'value3'})</syntaxhighlight>. What this second one does is construct a table with the arguments in it, then gives that table to the p._main(args) function, which uses it natively.
=== Multiple functions ===
If you want multiple functions to use the arguments, and you also want them to be accessible from #invoke, you can use a wrapper function.
<syntaxhighlight lang="lua">
local getArgs = require('Module:Arguments').getArgs
local p = {}
local function makeInvokeFunc(funcName)
return function (frame)
local args = getArgs(frame)
return p[funcName](args)
end
end
p.func1 = makeInvokeFunc('_func1')
function p._func1(args)
-- Code for the first function goes here.
end
p.func2 = makeInvokeFunc('_func2')
function p._func2(args)
-- Code for the second function goes here.
end
return p
</syntaxhighlight>
=== Options ===
The following options are available. They are explained in the sections below.
<syntaxhighlight lang="lua">
local args = getArgs(frame, {
trim = false,
removeBlanks = false,
valueFunc = function (key, value)
-- Code for processing one argument
end,
frameOnly = true,
parentOnly = true,
parentFirst = true,
wrappers = {
'Template:A wrapper template',
'Template:Another wrapper template'
},
readOnly = true,
noOverwrite = true
})
</syntaxhighlight>
=== Trimming and removing blanks ===
Blank arguments often trip up coders new to converting MediaWiki templates to Lua. In template syntax, blank strings and strings consisting only of whitespace are considered false. However, in Lua, blank strings and strings consisting of whitespace are considered true. This means that if you don't pay attention to such arguments when you write your Lua modules, you might treat something as true that should actually be treated as false. To avoid this, by default this module removes all blank arguments.
Similarly, whitespace can cause problems when dealing with positional arguments. Although whitespace is trimmed for named arguments coming from #invoke, it is preserved for positional arguments. Most of the time this additional whitespace is not desired, so this module trims it off by default.
However, sometimes you want to use blank arguments as input, and sometimes you want to keep additional whitespace. This can be necessary to convert some templates exactly as they were written. If you want to do this, you can set the <code>trim</code> and <code>removeBlanks</code> arguments to <code>false</code>.
<syntaxhighlight lang="lua">
local args = getArgs(frame, {
trim = false,
removeBlanks = false
})
</syntaxhighlight>
=== Custom formatting of arguments ===
Sometimes you want to remove some blank arguments but not others, or perhaps you might want to put all of the positional arguments in lower case. To do things like this you can use the <code>valueFunc</code> option. The input to this option must be a function that takes two parameters, <code>key</code> and <code>value</code>, and returns a single value. This value is what you will get when you access the field <code>key</code> in the <code>args</code> table.
Example 1: this function preserves whitespace for the first positional argument, but trims all other arguments and removes all other blank arguments.
<syntaxhighlight lang="lua">
local args = getArgs(frame, {
valueFunc = function (key, value)
if key == 1 then
return value
elseif value then
value = mw.text.trim(value)
if value ~= '' then
return value
end
end
return nil
end
})
</syntaxhighlight>
Example 2: this function removes blank arguments and converts all arguments to lower case, but doesn't trim whitespace from positional parameters.
<syntaxhighlight lang="lua">
local args = getArgs(frame, {
valueFunc = function (key, value)
if not value then
return nil
end
value = mw.ustring.lower(value)
if mw.ustring.find(value, '%S') then
return value
end
return nil
end
})
</syntaxhighlight>
Note: the above functions will fail if passed input that is not of type <code>string</code> or <code>nil</code>. This might be the case if you use the <code>getArgs</code> function in the main function of your module, and that function is called by another Lua module. In this case, you will need to check the type of your input. This is not a problem if you are using a function specially for arguments from #invoke (i.e. you have <code>p.main</code> and <code>p._main</code> functions, or something similar).
Examples 1 and 2 with type checking:
Example 1:
<syntaxhighlight lang="lua">
local args = getArgs(frame, {
valueFunc = function (key, value)
if key == 1 then
return value
elseif type(value) == 'string' then
value = mw.text.trim(value)
if value ~= '' then
return value
else
return nil
end
else
return value
end
end
})
</syntaxhighlight>
Example 2:
<syntaxhighlight lang="lua">
local args = getArgs(frame, {
valueFunc = function (key, value)
if type(value) == 'string' then
value = mw.ustring.lower(value)
if mw.ustring.find(value, '%S') then
return value
else
return nil
end
else
return value
end
end
})
</syntaxhighlight>
Also, please note that the <code>valueFunc</code> function is called more or less every time an argument is requested from the <code>args</code> table, so if you care about performance you should make sure you aren't doing anything inefficient with your code.
=== Frames and parent frames ===
Arguments in the <code>args</code> table can be passed from the current frame or from its parent frame at the same time. To understand what this means, it is easiest to give an example. Let's say that we have a module called <code>Module:ExampleArgs</code>. This module prints the first two positional arguments that it is passed.
Module:ExampleArgs code:
<syntaxhighlight lang="lua">
local getArgs = require('Module:Arguments').getArgs
local p = {}
function p.main(frame)
local args = getArgs(frame)
return p._main(args)
end
function p._main(args)
local first = args[1] or ''
local second = args[2] or ''
return first .. ' ' .. second
end
return p
</syntaxhighlight>
<code>Module:ExampleArgs</code> is then called by <code>Template:ExampleArgs</code>, which contains the code <code><nowiki>{{#invoke:ExampleArgs|main|firstInvokeArg}}</nowiki></code>. This produces the result "firstInvokeArg".
Now if we were to call <code>Template:ExampleArgs</code>, the following would happen:
{| class="wikitable" style="width: 50em; max-width: 100%;"
|-
! style="width: 60%;" | Code
! style="width: 40%;" | Result
|-
| <code><nowiki>{{ExampleArgs}}</nowiki></code>
| firstInvokeArg
|-
| <code><nowiki>{{ExampleArgs|firstTemplateArg}}</nowiki></code>
| firstInvokeArg
|-
| <code><nowiki>{{ExampleArgs|firstTemplateArg|secondTemplateArg}}</nowiki></code>
| firstInvokeArg secondTemplateArg
|}
There are three options you can set to change this behaviour: <code>frameOnly</code>, <code>parentOnly</code> and <code>parentFirst</code>. If you set <code>frameOnly</code> then only arguments passed from the current frame will be accepted; if you set <code>parentOnly</code> then only arguments passed from the parent frame will be accepted; and if you set <code>parentFirst</code> then arguments will be passed from both the current and parent frames, but the parent frame will have priority over the current frame. Here are the results in terms of <code>Template:ExampleArgs</code>:
; frameOnly
{| class="wikitable" style="width: 50em; max-width: 100%;"
|-
! style="width: 60%;" | Code
! style="width: 40%;" | Result
|-
| <code><nowiki>{{ExampleArgs}}</nowiki></code>
| firstInvokeArg
|-
| <code><nowiki>{{ExampleArgs|firstTemplateArg}}</nowiki></code>
| firstInvokeArg
|-
| <code><nowiki>{{ExampleArgs|firstTemplateArg|secondTemplateArg}}</nowiki></code>
| firstInvokeArg
|}
; parentOnly
{| class="wikitable" style="width: 50em; max-width: 100%;"
|-
! style="width: 60%;" | Code
! style="width: 40%;" | Result
|-
| <code><nowiki>{{ExampleArgs}}</nowiki></code>
|
|-
| <code><nowiki>{{ExampleArgs|firstTemplateArg}}</nowiki></code>
| firstTemplateArg
|-
| <code><nowiki>{{ExampleArgs|firstTemplateArg|secondTemplateArg}}</nowiki></code>
| firstTemplateArg secondTemplateArg
|}
; parentFirst
{| class="wikitable" style="width: 50em; max-width: 100%;"
|-
! style="width: 60%;" | Code
! style="width: 40%;" | Result
|-
| <code><nowiki>{{ExampleArgs}}</nowiki></code>
| firstInvokeArg
|-
| <code><nowiki>{{ExampleArgs|firstTemplateArg}}</nowiki></code>
| firstTemplateArg
|-
| <code><nowiki>{{ExampleArgs|firstTemplateArg|secondTemplateArg}}</nowiki></code>
| firstTemplateArg secondTemplateArg
|}
Notes:
# If you set both the <code>frameOnly</code> and <code>parentOnly</code> options, the module won't fetch any arguments at all from #invoke. This is probably not what you want.
# In some situations a parent frame may not be available, e.g. if getArgs is passed the parent frame rather than the current frame. In this case, only the frame arguments will be used (unless parentOnly is set, in which case no arguments will be used) and the <code>parentFirst</code> and <code>frameOnly</code> options will have no effect.
=== Wrappers ===
The ''wrappers'' option is used to specify a limited number of templates as ''wrapper templates'', that is, templates whose only purpose is to call a module. If the module detects that it is being called from a wrapper template, it will only check for arguments in the parent frame; otherwise it will only check for arguments in the frame passed to getArgs. This allows modules to be called by either #invoke or through a wrapper template without the loss of performance associated with having to check both the frame and the parent frame for each argument lookup.
For example, the only content of [[w:Template:Side box]] (excluding content in <noinclude> tags) is <code><nowiki>{{#invoke:Side box|main}}</nowiki></code>. There is no point in checking the arguments passed directly to the #invoke statement for this template, as no arguments will ever be specified there. We can avoid checking arguments passed to #invoke by using the ''parentOnly'' option, but if we do this then #invoke will not work from other pages either. If this were the case, the <nowiki>|text=Some text</nowiki> in the code <code><nowiki>{{#invoke:Side box|main|text=Some text}}</nowiki></code> would be ignored completely, no matter what page it was used from. By using the <code>wrappers</code> option to specify 'Template:Side box' as a wrapper, we can make <code><nowiki>{{#invoke:Side box|main|text=Some text}}</nowiki></code> work from most pages, while still not requiring that the module check for arguments on the [[w:Template:Side box]] page itself.
Wrappers can be specified either as a string, or as an array of strings.
<syntaxhighlight lang="lua">
local args = getArgs(frame, {
wrappers = 'Template:Wrapper template'
})
</syntaxhighlight>
<syntaxhighlight lang="lua">
local args = getArgs(frame, {
wrappers = {
'Template:Wrapper 1',
'Template:Wrapper 2',
-- Any number of wrapper templates can be added here.
}
})
</syntaxhighlight>
Notes:
# The module will automatically detect if it is being called from a wrapper template's /sandbox subpage, so there is no need to specify sandbox pages explicitly.
# The ''wrappers'' option effectively changes the default of the ''frameOnly'' and ''parentOnly'' options. If, for example, ''parentOnly'' were explicitly set to 0 with ''wrappers'' set, calls via wrapper templates would result in both frame and parent arguments being loaded, though calls not via wrapper templates would result in only frame arguments being loaded.
# If the ''wrappers'' option is set and no parent frame is available, the module will always get the arguments from the frame passed to <code>getArgs</code>.
=== Writing to the args table ===
Sometimes it can be useful to write new values to the args table. This is possible with the default settings of this module. (However, bear in mind that it is usually better coding style to create a new table with your new values and copy arguments from the args table as needed.)
<syntaxhighlight lang="lua">
args.foo = 'some value'
</syntaxhighlight>
It is possible to alter this behaviour with the <code>readOnly</code> and <code>noOverwrite</code> options. If <code>readOnly</code> is set then it is not possible to write any values to the args table at all. If <code>noOverwrite</code> is set, then it is possible to add new values to the table, but it is not possible to add a value if it would overwrite any arguments that are passed from #invoke.
=== Ref tags ===
This module uses [[mw:Extension:Scribunto/Lua reference manual#Metatables|metatables]] to fetch arguments from #invoke. This allows access to both the frame arguments and the parent frame arguments without using the <code>pairs()</code> function. This can help if your module might be passed <ref> tags as input.
As soon as <ref> tags are accessed from Lua, they are processed by the MediaWiki software and the reference will appear in the reference list at the bottom of the article. If your module proceeds to omit the reference tag from the output, you will end up with a phantom reference – a reference that appears in the reference list but without any number linking to it. This has been a problem with modules that use <code>pairs()</code> to detect whether to use the arguments from the frame or the parent frame, as those modules automatically process every available argument.
This module solves this problem by allowing access to both frame and parent frame arguments, while still only fetching those arguments when it is necessary. The problem will still occur if you use <code>pairs(args)</code> elsewhere in your module, however.
=== Known limitations ===
The use of metatables also has its downsides. Most of the normal Lua table tools won't work properly on the args table, including the <code>#</code> operator, the <code>next()</code> function, and the functions in the table library. If using these is important for your module, you should use your own argument processing function instead of this module.
fe30c5ad9e29eae50816e55d20e5582b23b65e0a
Skoozeye
0
20
687
81
2023-10-22T03:17:40Z
Katabasis
6
Made this its own page basically
wikitext
text/x-wiki
== The Skoozeye ==
[[File:Skoozeye.gif|thumb|center|OH GOD]]
The Skoozeye is a [https://mspaintadventures.fandom.com/wiki/Juju?so=search Juju] that can teleport around at will. Contrary to its name, which is a strictly out-of-character title, it is not clear whether [[Skoozy Mcribb]] controls the movement of the Skoozeye, although it is clear that he is able to see through it in some fashion.
The Skoozeye appears to possibly be able to travel through time as well as space. It induces paranoia in [[Knight Galfry]], but this is likely just the influence of Skoozy himself through the Juju.
== The Hauntings ==
[[File:Awoolegetsscared.gif|thumb|center|IT'S BEHIND YOU!!!]]
[[File:Taxidermist.gif|thumb|center|ITS BEHIND YOU ALSO!!!!]]
[[File:Siniixgetsscared.gif|thumb|center|ITS. to the left of you.]]
[[File:Gibushyoufuckingidiot.gif|thumb|center|Gibush fucking beefs it.]]
[[File:PUNTnotmydamnproblem.gif|thumb|center|Shikki fucking punts it.]]
d8a51392f40acea683d29bb193e02924bcf5dc4a
Main Page
0
1
688
300
2023-10-22T03:19:19Z
Katabasis
6
/* Other */
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
The '''FREE''' online encyclopedia that only '''WE''' can edit!
sup man
yakno for now let's just link our characters here until we get stuff nice and pretty
==Trolls==
[[Calico Drayke|Calico]]
[[Salang Lyubov|Venus]]
[[Anicca Shivuh|Ani]]
[[Knight Galfry|Knight]]
[[Poppie Toppie|Poppie]]
[[Skoozy Mcribb|Skoozy]]
[[Tewkid Bownes|Tewkid]]
[[Paluli Anriqi|Paluli]]
[[Guppie Suamui|Guppie]]
[[Ponzii|Ponzii]]
[[Looksi Gumshu|Looksi]]
[[Pyrrah Kappen|Pyrrah]]
[[Siette Aerien|Siette]]
[[Yupinh|Yupinh]]
[[Skoozeye|Skoozeye]]
==Ancestors==
[[The Fortress|Fortress]]
==Other==
[[Troll|Troll]]
[[Moonbounce|Moonbounce]]
[[Era of Subjugation|Era of Subjugation]]
[[Troll Britain|Troll Britain]]
[[Ancestors]]
The [[Skoozeye]]
b145113f10495dceea0fed51f1b9a7aa7171a00b
689
688
2023-10-22T03:19:49Z
Katabasis
6
/* Ancestors */
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
The '''FREE''' online encyclopedia that only '''WE''' can edit!
sup man
yakno for now let's just link our characters here until we get stuff nice and pretty
==Trolls==
[[Calico Drayke|Calico]]
[[Salang Lyubov|Venus]]
[[Anicca Shivuh|Ani]]
[[Knight Galfry|Knight]]
[[Poppie Toppie|Poppie]]
[[Skoozy Mcribb|Skoozy]]
[[Tewkid Bownes|Tewkid]]
[[Paluli Anriqi|Paluli]]
[[Guppie Suamui|Guppie]]
[[Ponzii|Ponzii]]
[[Looksi Gumshu|Looksi]]
[[Pyrrah Kappen|Pyrrah]]
[[Siette Aerien|Siette]]
[[Yupinh|Yupinh]]
[[Skoozeye|Skoozeye]]
==Ancestors==
[[The Fortress|Fortress]]
[[The Fortress|Wretched]]
==Other==
[[Troll|Troll]]
[[Moonbounce|Moonbounce]]
[[Era of Subjugation|Era of Subjugation]]
[[Troll Britain|Troll Britain]]
[[Ancestors]]
The [[Skoozeye]]
48703bfa22c940d83a02518f26b89f0ecab2b336
700
689
2023-10-22T03:23:20Z
Katabasis
6
/* Trolls */
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
The '''FREE''' online encyclopedia that only '''WE''' can edit!
sup man
yakno for now let's just link our characters here until we get stuff nice and pretty
==Trolls==
[[Calico Drayke|Calico]]
[[Salang Lyubov|Venus]]
[[Anicca Shivuh|Ani]]
[[Knight Galfry|Knight]]
[[Poppie Toppie|Poppie]]
[[Skoozy Mcribb|Skoozy]]
[[Tewkid Bownes|Tewkid]]
[[Paluli Anriqi|Paluli]]
[[Guppie Suamui|Guppie]]
[[Ponzii|Ponzii]]
[[Looksi Gumshu|Looksi]]
[[Pyrrah Kappen|Pyrrah]]
[[Siette Aerien|Siette]]
[[Yupinh|Yupinh]]
==Ancestors==
[[The Fortress|Fortress]]
[[The Fortress|Wretched]]
==Other==
[[Troll|Troll]]
[[Moonbounce|Moonbounce]]
[[Era of Subjugation|Era of Subjugation]]
[[Troll Britain|Troll Britain]]
[[Ancestors]]
The [[Skoozeye]]
964064764abbb44c167074ef274cf247e37fdfd4
723
700
2023-10-22T03:51:15Z
Katabasis
6
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
The '''FREE''' online encyclopedia that only '''WE''' can edit!
sup man
yakno for now let's just link our characters here until we get stuff nice and pretty
==Trolls==
[[Calico Drayke|Calico]]
[[Salang Lyubov|Venus]]
[[Anicca Shivuh|Ani]]
[[Knight Galfry|Knight]]
[[Poppie Toppie|Poppie]]
[[Skoozy Mcribb|Skoozy]]
[[Tewkid Bownes|Tewkid]]
[[Paluli Anriqi|Paluli]]
[[Guppie Suamui|Guppie]]
[[Ponzii|Ponzii]]
[[Looksi Gumshu|Looksi]]
[[Pyrrah Kappen|Pyrrah]]
[[Siette Aerien|Siette]]
[[Yupinh|Yupinh]]
==Ancestors==
[[The Fortress|Fortress]]
[[The Fortress|Wretched]]
==Other==
[[Troll|Troll]]
[[Moonbounce|Moonbounce]]
[[Era of Subjugation|Era of Subjugation]]
[[Troll Britain|Troll Britain]]
[[Ancestors]]
The [[Skoozeye]]
[[Dream Planets]]
a7da2c7ef58600df3b41d712b02181157aa3bc81
Module:Yesno
828
413
691
690
2023-10-22T03:21:33Z
Mintology
8
1 revision imported: I just want these tabs to work man
Scribunto
text/plain
-- Function allowing for consistent treatment of boolean-like wikitext input.
-- It works similarly to the template {{yesno}}.
-- https://www.mediawiki.org/w/index.php?title=Module:Yesno
return function (val, default)
-- If your wiki uses non-ascii characters for any of "yes", "no", etc., you
-- should replace "val:lower()" with "mw.ustring.lower(val)" in the
-- following line.
val = type(val) == 'string' and val.ustring.lower(val) or val
if val == nil then
return nil
elseif val == true
or val == 'yes'
or val == 'y'
or val == 'true'
or val == 't'
or val == 'on'
or tonumber(val) == 1
then
return true
elseif val == false
or val == 'no'
or val == 'n'
or val == 'false'
or val == 'f'
or val == 'off'
or tonumber(val) == 0
then
return false
else
return default
end
end
0f9e91e12a4119f8bdeb408141af97b29fc72a80
Module:Uses TemplateStyles
828
414
693
692
2023-10-22T03:21:33Z
Mintology
8
1 revision imported: I just want these tabs to work man
Scribunto
text/plain
local yesno = require('Module:Yesno')
local mList = require('Module:List')
local mTableTools = require('Module:TableTools')
local mMessageBox = require('Module:Message box')
local TNT = require('Module:TNT')
local p = {}
local function format(msg, ...)
return TNT.format('I18n/Uses TemplateStyles', msg, ...)
end
local function getConfig()
return mw.loadData('Module:Uses TemplateStyles/config')
end
local function renderBox(tStyles)
local boxArgs = {
type = 'notice',
small = true,
image = string.format('[[File:Farm-Fresh css add.svg|32px|alt=%s]]', format('logo-alt'))
}
if #tStyles < 1 then
boxArgs.text = string.format('<strong class="error">%s</strong>', format('error-emptylist'))
else
local cfg = getConfig()
local tStylesLinks = {}
for i, ts in ipairs(tStyles) do
local link = string.format('[[:%s]]', ts)
local sandboxLink = nil
local tsTitle = mw.title.new(ts)
if tsTitle and cfg['sandbox_title'] then
local tsSandboxTitle = mw.title.new(string.format(
'%s:%s/%s/%s', tsTitle.nsText, tsTitle.baseText, cfg['sandbox_title'], tsTitle.subpageText))
if tsSandboxTitle and tsSandboxTitle.exists then
sandboxLink = format('sandboxlink', link, ':' .. tsSandboxTitle.prefixedText)
end
end
tStylesLinks[i] = sandboxLink or link
end
local tStylesList = mList.makeList('bulleted', tStylesLinks)
boxArgs.text = format(
mw.title.getCurrentTitle():inNamespaces(828,829) and 'header-module' or 'header-template') ..
'\n' .. tStylesList
end
return mMessageBox.main('mbox', boxArgs)
end
local function renderTrackingCategories(args, tStyles, titleObj)
if yesno(args.nocat) then
return ''
end
local cfg = getConfig()
local cats = {}
-- Error category
if #tStyles < 1 and cfg['error_category'] then
cats[#cats + 1] = cfg['error_category']
end
-- TemplateStyles category
titleObj = titleObj or mw.title.getCurrentTitle()
if (titleObj.namespace == 10 or titleObj.namespace == 828)
and not cfg['subpage_blacklist'][titleObj.subpageText]
then
local category = args.category or cfg['default_category']
if category then
cats[#cats + 1] = category
end
if not yesno(args.noprotcat) and (cfg['protection_conflict_category'] or cfg['padlock_pattern']) then
local currentProt = titleObj.protectionLevels["edit"] and titleObj.protectionLevels["edit"][1] or nil
local addedLevelCat = false
local addedPadlockCat = false
for i, ts in ipairs(tStyles) do
local tsTitleObj = mw.title.new(ts)
local tsProt = tsTitleObj.protectionLevels["edit"] and tsTitleObj.protectionLevels["edit"][1] or nil
if cfg['padlock_pattern'] and tsProt and not addedPadlockCat then
local content = tsTitleObj:getContent()
if not content:find(cfg['padlock_pattern']) then
cats[#cats + 1] = cfg['missing_padlock_category']
addedPadlockCat = true
end
end
if cfg['protection_conflict_category'] and currentProt and tsProt ~= currentProt and not addedLevelCat then
currentProt = cfg['protection_hierarchy'][currentProt] or 0
tsProt = cfg['protection_hierarchy'][tsProt] or 0
if tsProt < currentProt then
addedLevelCat = true
cats[#cats + 1] = cfg['protection_conflict_category']
end
end
end
end
end
for i, cat in ipairs(cats) do
cats[i] = string.format('[[Category:%s]]', cat)
end
return table.concat(cats)
end
function p._main(args, cfg)
local tStyles = mTableTools.compressSparseArray(args)
local box = renderBox(tStyles)
local trackingCategories = renderTrackingCategories(args, tStyles)
return box .. trackingCategories
end
function p.main(frame)
local origArgs = frame:getParent().args
local args = {}
for k, v in pairs(origArgs) do
v = v:match('^%s*(.-)%s*$')
if v ~= '' then
args[k] = v
end
end
return p._main(args)
end
return p
71ca57c37849f38e3c5ee30061bdae730963e48e
Module:Lua banner
828
415
695
694
2023-10-22T03:21:34Z
Mintology
8
1 revision imported: I just want these tabs to work man
Scribunto
text/plain
-- This module implements the {{lua}} template.
local yesno = require('Module:Yesno')
local mList = require('Module:List')
local mTableTools = require('Module:TableTools')
local mMessageBox = require('Module:Message box')
local p = {}
function p.main(frame)
local origArgs = frame:getParent().args
local args = {}
for k, v in pairs(origArgs) do
v = v:match('^%s*(.-)%s*$')
if v ~= '' then
args[k] = v
end
end
return p._main(args)
end
function p._main(args)
local modules = mTableTools.compressSparseArray(args)
local box = p.renderBox(modules)
local trackingCategories = p.renderTrackingCategories(args, modules)
return box .. trackingCategories
end
function p.renderBox(modules)
local boxArgs = {}
if #modules < 1 then
boxArgs.text = '<strong class="error">Error: no modules specified</strong>'
else
local moduleLinks = {}
for i, module in ipairs(modules) do
moduleLinks[i] = string.format('[[:%s]]', module)
local maybeSandbox = mw.title.new(module .. '/sandbox')
if maybeSandbox.exists then
moduleLinks[i] = moduleLinks[i] .. string.format(' ([[:%s|sandbox]])', maybeSandbox.fullText)
end
end
local moduleList = mList.makeList('bulleted', moduleLinks)
local title = mw.title.getCurrentTitle()
if title.subpageText == "doc" then
title = title.basePageTitle
end
if title.contentModel == "Scribunto" then
boxArgs.text = 'This module depends on the following other modules:' .. moduleList
else
boxArgs.text = 'This template uses [[Wikipedia:Lua|Lua]]:\n' .. moduleList
end
end
boxArgs.type = 'notice'
boxArgs.small = true
boxArgs.image = '[[File:Lua-Logo.svg|30px|alt=|link=]]'
return mMessageBox.main('mbox', boxArgs)
end
function p.renderTrackingCategories(args, modules, titleObj)
if yesno(args.nocat) then
return ''
end
local cats = {}
-- Error category
if #modules < 1 then
cats[#cats + 1] = 'Lua templates with errors'
end
-- Lua templates category
titleObj = titleObj or mw.title.getCurrentTitle()
local subpageBlacklist = {
doc = true,
sandbox = true,
sandbox2 = true,
testcases = true
}
if not subpageBlacklist[titleObj.subpageText] then
local protCatName
if titleObj.namespace == 10 then
local category = args.category
if not category then
local categories = {
['Module:String'] = 'Templates based on the String Lua module',
['Module:Math'] = 'Templates based on the Math Lua module',
['Module:BaseConvert'] = 'Templates based on the BaseConvert Lua module',
['Module:Citation/CS1'] = 'Templates based on the Citation/CS1 Lua module'
}
category = modules[1] and categories[modules[1]]
category = category or 'Lua-based templates'
end
cats[#cats + 1] = category
protCatName = "Templates using under-protected Lua modules"
elseif titleObj.namespace == 828 then
protCatName = "Modules depending on under-protected modules"
end
if not args.noprotcat and protCatName then
local protLevels = {
autoconfirmed = 1,
extendedconfirmed = 2,
templateeditor = 3,
sysop = 4
}
local currentProt
if titleObj.id ~= 0 then
-- id is 0 (page does not exist) if am previewing before creating a template.
currentProt = titleObj.protectionLevels["edit"][1]
end
if currentProt == nil then currentProt = 0 else currentProt = protLevels[currentProt] end
for i, module in ipairs(modules) do
if module ~= "WP:libraryUtil" then
local moduleProt = mw.title.new(module).protectionLevels["edit"][1]
if moduleProt == nil then moduleProt = 0 else moduleProt = protLevels[moduleProt] end
if moduleProt < currentProt then
cats[#cats + 1] = protCatName
break
end
end
end
end
end
for i, cat in ipairs(cats) do
cats[i] = string.format('[[Category:%s]]', cat)
end
return table.concat(cats)
end
return p
03ec1b34a40121efc562c0c64a67ebbf57d56dff
Module:Shortcut
828
416
697
696
2023-10-22T03:21:34Z
Mintology
8
1 revision imported: I just want these tabs to work man
Scribunto
text/plain
-- This module implements {{shortcut}}.
-- Set constants
local CONFIG_MODULE = 'Module:Shortcut/config'
-- Load required modules
local checkType = require('libraryUtil').checkType
local yesno = require('Module:Yesno')
local p = {}
local function message(msg, ...)
return mw.message.newRawMessage(msg, ...):plain()
end
local function makeCategoryLink(cat)
return string.format('[[%s:%s]]', mw.site.namespaces[14].name, cat)
end
function p._main(shortcuts, options, frame, cfg)
checkType('_main', 1, shortcuts, 'table')
checkType('_main', 2, options, 'table', true)
options = options or {}
frame = frame or mw.getCurrentFrame()
cfg = cfg or mw.loadData(CONFIG_MODULE)
local templateMode = options.template and yesno(options.template)
local redirectMode = options.redirect and yesno(options.redirect)
local isCategorized = not options.category or yesno(options.category) ~= false
-- Validate shortcuts
for i, shortcut in ipairs(shortcuts) do
if type(shortcut) ~= 'string' or #shortcut < 1 then
error(message(cfg['invalid-shortcut-error'], i), 2)
end
end
-- Make the list items. These are the shortcuts plus any extra lines such
-- as options.msg.
local listItems = {}
for i, shortcut in ipairs(shortcuts) do
local templatePath, prefix
if templateMode then
-- Namespace detection
local titleObj = mw.title.new(shortcut, 10)
if titleObj.namespace == 10 then
templatePath = titleObj.fullText
else
templatePath = shortcut
end
prefix = options['pre' .. i] or options.pre or ''
end
if options.target and yesno(options.target) then
listItems[i] = templateMode
and string.format("{{%s[[%s|%s]]}}", prefix, templatePath, shortcut)
or string.format("[[%s]]", shortcut)
else
listItems[i] = frame:expandTemplate{
title = 'No redirect',
args = templateMode and {templatePath, shortcut} or {shortcut, shortcut}
}
if templateMode then
listItems[i] = string.format("{{%s%s}}", prefix, listItems[i])
end
end
end
table.insert(listItems, options.msg)
-- Return an error if we have nothing to display
if #listItems < 1 then
local msg = cfg['no-content-error']
msg = string.format('<strong class="error">%s</strong>', msg)
if isCategorized and cfg['no-content-error-category'] then
msg = msg .. makeCategoryLink(cfg['no-content-error-category'])
end
return msg
end
local root = mw.html.create()
root:wikitext(frame:extensionTag{ name = 'templatestyles', args = { src = 'Module:Shortcut/styles.css'} })
-- Anchors
local anchorDiv = root
:tag('div')
:addClass('module-shortcutanchordiv')
for i, shortcut in ipairs(shortcuts) do
local anchor = mw.uri.anchorEncode(shortcut)
anchorDiv:tag('span'):attr('id', anchor)
end
-- Shortcut heading
local shortcutHeading
do
local nShortcuts = #shortcuts
if nShortcuts > 0 then
local headingMsg = options['shortcut-heading'] or
redirectMode and cfg['redirect-heading'] or
cfg['shortcut-heading']
shortcutHeading = message(headingMsg, nShortcuts)
shortcutHeading = frame:preprocess(shortcutHeading)
end
end
-- Shortcut box
local shortcutList = root
:tag('div')
:addClass('module-shortcutboxplain noprint')
:attr('role', 'note')
if options.float and options.float:lower() == 'left' then
shortcutList:addClass('module-shortcutboxleft')
end
if options.clear and options.clear ~= '' then
shortcutList:css('clear', options.clear)
end
if shortcutHeading then
shortcutList
:tag('div')
:addClass('module-shortcutlist')
:wikitext(shortcutHeading)
end
local ubl = require('Module:List').unbulleted(listItems)
shortcutList:wikitext(ubl)
return tostring(root)
end
function p.main(frame)
local args = require('Module:Arguments').getArgs(frame)
-- Separate shortcuts from options
local shortcuts, options = {}, {}
for k, v in pairs(args) do
if type(k) == 'number' then
shortcuts[k] = v
else
options[k] = v
end
end
-- Compress the shortcut array, which may contain nils.
local function compressArray(t)
local nums, ret = {}, {}
for k in pairs(t) do
nums[#nums + 1] = k
end
table.sort(nums)
for i, num in ipairs(nums) do
ret[i] = t[num]
end
return ret
end
shortcuts = compressArray(shortcuts)
return p._main(shortcuts, options, frame)
end
return p
03fd46a265e549852a9ed3d3a9249b247d84cb4f
User talk:Katabasis
3
417
698
2023-10-22T03:22:23Z
Katabasis
6
Created page with "it was making me mad that this was a red link idk kill me about it"
wikitext
text/x-wiki
it was making me mad that this was a red link idk kill me about it
53afaecd3a81ad1c8e9c1967100e066a76b18f58
Re:Symphony:Copyrights
0
418
699
2023-10-22T03:22:46Z
Katabasis
6
Created page with "if you break copyright law we'll kill you"
wikitext
text/x-wiki
if you break copyright law we'll kill you
8f37851d9b120aebc6a2399c8436f5c92492be79
Module:List
828
419
702
701
2023-10-22T03:26:43Z
Mintology
8
1 revision imported: you know the drill
Scribunto
text/plain
local libUtil = require('libraryUtil')
local checkType = libUtil.checkType
local mTableTools = require('Module:TableTools')
local p = {}
local listTypes = {
['bulleted'] = true,
['unbulleted'] = true,
['horizontal'] = true,
['ordered'] = true,
['horizontal_ordered'] = true
}
function p.makeListData(listType, args)
-- Constructs a data table to be passed to p.renderList.
local data = {}
-- Classes and TemplateStyles
data.classes = {}
data.templatestyles = ''
if listType == 'horizontal' or listType == 'horizontal_ordered' then
table.insert(data.classes, 'hlist')
data.templatestyles = mw.getCurrentFrame():extensionTag{
name = 'templatestyles', args = { src = 'Hlist/styles.css' }
}
elseif listType == 'unbulleted' then
table.insert(data.classes, 'plainlist')
data.templatestyles = mw.getCurrentFrame():extensionTag{
name = 'templatestyles', args = { src = 'Plainlist/styles.css' }
}
end
table.insert(data.classes, args.class)
-- Main div style
data.style = args.style
-- Indent for horizontal lists
if listType == 'horizontal' or listType == 'horizontal_ordered' then
local indent = tonumber(args.indent)
indent = indent and indent * 1.6 or 0
if indent > 0 then
data.marginLeft = indent .. 'em'
end
end
-- List style types for ordered lists
-- This could be "1, 2, 3", "a, b, c", or a number of others. The list style
-- type is either set by the "type" attribute or the "list-style-type" CSS
-- property.
if listType == 'ordered' or listType == 'horizontal_ordered' then
data.listStyleType = args.list_style_type or args['list-style-type']
data.type = args['type']
-- Detect invalid type attributes and attempt to convert them to
-- list-style-type CSS properties.
if data.type
and not data.listStyleType
and not tostring(data.type):find('^%s*[1AaIi]%s*$')
then
data.listStyleType = data.type
data.type = nil
end
end
-- List tag type
if listType == 'ordered' or listType == 'horizontal_ordered' then
data.listTag = 'ol'
else
data.listTag = 'ul'
end
-- Start number for ordered lists
data.start = args.start
if listType == 'horizontal_ordered' then
-- Apply fix to get start numbers working with horizontal ordered lists.
local startNum = tonumber(data.start)
if startNum then
data.counterReset = 'listitem ' .. tostring(startNum - 1)
end
end
-- List style
-- ul_style and ol_style are included for backwards compatibility. No
-- distinction is made for ordered or unordered lists.
data.listStyle = args.list_style
-- List items
-- li_style is included for backwards compatibility. item_style was included
-- to be easier to understand for non-coders.
data.itemStyle = args.item_style or args.li_style
data.items = {}
for _, num in ipairs(mTableTools.numKeys(args)) do
local item = {}
item.content = args[num]
item.style = args['item' .. tostring(num) .. '_style']
or args['item_style' .. tostring(num)]
item.value = args['item' .. tostring(num) .. '_value']
or args['item_value' .. tostring(num)]
table.insert(data.items, item)
end
return data
end
function p.renderList(data)
-- Renders the list HTML.
-- Return the blank string if there are no list items.
if type(data.items) ~= 'table' or #data.items < 1 then
return ''
end
-- Render the main div tag.
local root = mw.html.create('div')
for _, class in ipairs(data.classes or {}) do
root:addClass(class)
end
root:css{['margin-left'] = data.marginLeft}
if data.style then
root:cssText(data.style)
end
-- Render the list tag.
local list = root:tag(data.listTag or 'ul')
list
:attr{start = data.start, type = data.type}
:css{
['counter-reset'] = data.counterReset,
['list-style-type'] = data.listStyleType
}
if data.listStyle then
list:cssText(data.listStyle)
end
-- Render the list items
for _, t in ipairs(data.items or {}) do
local item = list:tag('li')
if data.itemStyle then
item:cssText(data.itemStyle)
end
if t.style then
item:cssText(t.style)
end
item
:attr{value = t.value}
:wikitext(t.content)
end
return data.templatestyles .. tostring(root)
end
function p.renderTrackingCategories(args)
local isDeprecated = false -- Tracks deprecated parameters.
for k, v in pairs(args) do
k = tostring(k)
if k:find('^item_style%d+$') or k:find('^item_value%d+$') then
isDeprecated = true
break
end
end
local ret = ''
if isDeprecated then
ret = ret .. '[[Category:List templates with deprecated parameters]]'
end
return ret
end
function p.makeList(listType, args)
if not listType or not listTypes[listType] then
error(string.format(
"bad argument #1 to 'makeList' ('%s' is not a valid list type)",
tostring(listType)
), 2)
end
checkType('makeList', 2, args, 'table')
local data = p.makeListData(listType, args)
local list = p.renderList(data)
local trackingCategories = p.renderTrackingCategories(args)
return list .. trackingCategories
end
for listType in pairs(listTypes) do
p[listType] = function (frame)
local mArguments = require('Module:Arguments')
local origArgs = mArguments.getArgs(frame, {
valueFunc = function (key, value)
if not value or not mw.ustring.find(value, '%S') then return nil end
if mw.ustring.find(value, '^%s*[%*#;:]') then
return value
else
return value:match('^%s*(.-)%s*$')
end
return nil
end
})
-- Copy all the arguments to a new table, for faster indexing.
local args = {}
for k, v in pairs(origArgs) do
args[k] = v
end
return p.makeList(listType, args)
end
end
return p
7a4f36a6e9cd56370bdd8207d23694124821dc1a
Module:Shortcut/config
828
420
704
703
2023-10-22T03:26:43Z
Mintology
8
1 revision imported: you know the drill
Scribunto
text/plain
-- This module holds configuration data for [[Module:Shortcut]].
return {
-- The heading at the top of the shortcut box. It accepts the following parameter:
-- $1 - the total number of shortcuts. (required)
['shortcut-heading'] = '[[Wikipedia:Shortcut|{{PLURAL:$1|Shortcut|Shortcuts}}]]',
-- The heading when |redirect=yes is given. It accepts the following parameter:
-- $1 - the total number of shortcuts. (required)
['redirect-heading'] = '[[Wikipedia:Redirect|{{PLURAL:$1|Redirect|Redirects}}]]',
-- The error message to display when a shortcut is invalid (is not a string, or
-- is the blank string). It accepts the following parameter:
-- $1 - the number of the shortcut in the argument list. (required)
['invalid-shortcut-error'] = 'shortcut #$1 was invalid (shortcuts must be ' ..
'strings of at least one character in length)',
-- The error message to display when no shortcuts or other displayable content
-- were specified. (required)
['no-content-error'] = 'Error: no shortcuts were specified and the ' ..
mw.text.nowiki('|msg=') ..
' parameter was not set.',
-- A category to add when the no-content-error message is displayed. (optional)
['no-content-error-category'] = 'Shortcut templates with missing parameters',
}
f9d1d94844d5953753eb19e30a3ce389eda3d319
Module:String
828
421
706
705
2023-10-22T03:29:42Z
Mintology
8
1 revision imported: i'll import a thousand lua modules before i let this company die
Scribunto
text/plain
--[[
This module is intended to provide access to basic string functions.
Most of the functions provided here can be invoked with named parameters,
unnamed parameters, or a mixture. If named parameters are used, Mediawiki will
automatically remove any leading or trailing whitespace from the parameter.
Depending on the intended use, it may be advantageous to either preserve or
remove such whitespace.
Global options
ignore_errors: If set to 'true' or 1, any error condition will result in
an empty string being returned rather than an error message.
error_category: If an error occurs, specifies the name of a category to
include with the error message. The default category is
[Category:Errors reported by Module String].
no_category: If set to 'true' or 1, no category will be added if an error
is generated.
Unit tests for this module are available at Module:String/tests.
]]
local str = {}
--[[
len
This function returns the length of the target string.
Usage:
{{#invoke:String|len|target_string|}}
OR
{{#invoke:String|len|s=target_string}}
Parameters
s: The string whose length to report
If invoked using named parameters, Mediawiki will automatically remove any leading or
trailing whitespace from the target string.
]]
function str.len( frame )
local new_args = str._getParameters( frame.args, {'s'} )
local s = new_args['s'] or ''
return mw.ustring.len( s )
end
--[[
sub
This function returns a substring of the target string at specified indices.
Usage:
{{#invoke:String|sub|target_string|start_index|end_index}}
OR
{{#invoke:String|sub|s=target_string|i=start_index|j=end_index}}
Parameters
s: The string to return a subset of
i: The fist index of the substring to return, defaults to 1.
j: The last index of the string to return, defaults to the last character.
The first character of the string is assigned an index of 1. If either i or j
is a negative value, it is interpreted the same as selecting a character by
counting from the end of the string. Hence, a value of -1 is the same as
selecting the last character of the string.
If the requested indices are out of range for the given string, an error is
reported.
]]
function str.sub( frame )
local new_args = str._getParameters( frame.args, { 's', 'i', 'j' } )
local s = new_args['s'] or ''
local i = tonumber( new_args['i'] ) or 1
local j = tonumber( new_args['j'] ) or -1
local len = mw.ustring.len( s )
-- Convert negatives for range checking
if i < 0 then
i = len + i + 1
end
if j < 0 then
j = len + j + 1
end
if i > len or j > len or i < 1 or j < 1 then
return str._error( 'String subset index out of range' )
end
if j < i then
return str._error( 'String subset indices out of order' )
end
return mw.ustring.sub( s, i, j )
end
--[[
This function implements that features of {{str sub old}} and is kept in order
to maintain these older templates.
]]
function str.sublength( frame )
local i = tonumber( frame.args.i ) or 0
local len = tonumber( frame.args.len )
return mw.ustring.sub( frame.args.s, i + 1, len and ( i + len ) )
end
--[[
_match
This function returns a substring from the source string that matches a
specified pattern. It is exported for use in other modules
Usage:
strmatch = require("Module:String")._match
sresult = strmatch( s, pattern, start, match, plain, nomatch )
Parameters
s: The string to search
pattern: The pattern or string to find within the string
start: The index within the source string to start the search. The first
character of the string has index 1. Defaults to 1.
match: In some cases it may be possible to make multiple matches on a single
string. This specifies which match to return, where the first match is
match= 1. If a negative number is specified then a match is returned
counting from the last match. Hence match = -1 is the same as requesting
the last match. Defaults to 1.
plain: A flag indicating that the pattern should be understood as plain
text. Defaults to false.
nomatch: If no match is found, output the "nomatch" value rather than an error.
For information on constructing Lua patterns, a form of [regular expression], see:
* http://www.lua.org/manual/5.1/manual.html#5.4.1
* http://www.mediawiki.org/wiki/Extension:Scribunto/Lua_reference_manual#Patterns
* http://www.mediawiki.org/wiki/Extension:Scribunto/Lua_reference_manual#Ustring_patterns
]]
-- This sub-routine is exported for use in other modules
function str._match( s, pattern, start, match_index, plain_flag, nomatch )
if s == '' then
return str._error( 'Target string is empty' )
end
if pattern == '' then
return str._error( 'Pattern string is empty' )
end
start = tonumber(start) or 1
if math.abs(start) < 1 or math.abs(start) > mw.ustring.len( s ) then
return str._error( 'Requested start is out of range' )
end
if match_index == 0 then
return str._error( 'Match index is out of range' )
end
if plain_flag then
pattern = str._escapePattern( pattern )
end
local result
if match_index == 1 then
-- Find first match is simple case
result = mw.ustring.match( s, pattern, start )
else
if start > 1 then
s = mw.ustring.sub( s, start )
end
local iterator = mw.ustring.gmatch(s, pattern)
if match_index > 0 then
-- Forward search
for w in iterator do
match_index = match_index - 1
if match_index == 0 then
result = w
break
end
end
else
-- Reverse search
local result_table = {}
local count = 1
for w in iterator do
result_table[count] = w
count = count + 1
end
result = result_table[ count + match_index ]
end
end
if result == nil then
if nomatch == nil then
return str._error( 'Match not found' )
else
return nomatch
end
else
return result
end
end
--[[
match
This function returns a substring from the source string that matches a
specified pattern.
Usage:
{{#invoke:String|match|source_string|pattern_string|start_index|match_number|plain_flag|nomatch_output}}
OR
{{#invoke:String|match|s=source_string|pattern=pattern_string|start=start_index
|match=match_number|plain=plain_flag|nomatch=nomatch_output}}
Parameters
s: The string to search
pattern: The pattern or string to find within the string
start: The index within the source string to start the search. The first
character of the string has index 1. Defaults to 1.
match: In some cases it may be possible to make multiple matches on a single
string. This specifies which match to return, where the first match is
match= 1. If a negative number is specified then a match is returned
counting from the last match. Hence match = -1 is the same as requesting
the last match. Defaults to 1.
plain: A flag indicating that the pattern should be understood as plain
text. Defaults to false.
nomatch: If no match is found, output the "nomatch" value rather than an error.
If invoked using named parameters, Mediawiki will automatically remove any leading or
trailing whitespace from each string. In some circumstances this is desirable, in
other cases one may want to preserve the whitespace.
If the match_number or start_index are out of range for the string being queried, then
this function generates an error. An error is also generated if no match is found.
If one adds the parameter ignore_errors=true, then the error will be suppressed and
an empty string will be returned on any failure.
For information on constructing Lua patterns, a form of [regular expression], see:
* http://www.lua.org/manual/5.1/manual.html#5.4.1
* http://www.mediawiki.org/wiki/Extension:Scribunto/Lua_reference_manual#Patterns
* http://www.mediawiki.org/wiki/Extension:Scribunto/Lua_reference_manual#Ustring_patterns
]]
-- This is the entry point for #invoke:String|match
function str.match( frame )
local new_args = str._getParameters( frame.args, {'s', 'pattern', 'start', 'match', 'plain', 'nomatch'} )
local s = new_args['s'] or ''
local start = tonumber( new_args['start'] ) or 1
local plain_flag = str._getBoolean( new_args['plain'] or false )
local pattern = new_args['pattern'] or ''
local match_index = math.floor( tonumber(new_args['match']) or 1 )
local nomatch = new_args['nomatch']
return str._match( s, pattern, start, match_index, plain_flag, nomatch )
end
--[[
pos
This function returns a single character from the target string at position pos.
Usage:
{{#invoke:String|pos|target_string|index_value}}
OR
{{#invoke:String|pos|target=target_string|pos=index_value}}
Parameters
target: The string to search
pos: The index for the character to return
If invoked using named parameters, Mediawiki will automatically remove any leading or
trailing whitespace from the target string. In some circumstances this is desirable, in
other cases one may want to preserve the whitespace.
The first character has an index value of 1.
If one requests a negative value, this function will select a character by counting backwards
from the end of the string. In other words pos = -1 is the same as asking for the last character.
A requested value of zero, or a value greater than the length of the string returns an error.
]]
function str.pos( frame )
local new_args = str._getParameters( frame.args, {'target', 'pos'} )
local target_str = new_args['target'] or ''
local pos = tonumber( new_args['pos'] ) or 0
if pos == 0 or math.abs(pos) > mw.ustring.len( target_str ) then
return str._error( 'String index out of range' )
end
return mw.ustring.sub( target_str, pos, pos )
end
--[[
str_find
This function duplicates the behavior of {{str_find}}, including all of its quirks.
This is provided in order to support existing templates, but is NOT RECOMMENDED for
new code and templates. New code is recommended to use the "find" function instead.
Returns the first index in "source" that is a match to "target". Indexing is 1-based,
and the function returns -1 if the "target" string is not present in "source".
Important Note: If the "target" string is empty / missing, this function returns a
value of "1", which is generally unexpected behavior, and must be accounted for
separatetly.
]]
function str.str_find( frame )
local new_args = str._getParameters( frame.args, {'source', 'target'} )
local source_str = new_args['source'] or ''
local target_str = new_args['target'] or ''
if target_str == '' then
return 1
end
local start = mw.ustring.find( source_str, target_str, 1, true )
if start == nil then
start = -1
end
return start
end
--[[
find
This function allows one to search for a target string or pattern within another
string.
Usage:
{{#invoke:String|find|source_str|target_string|start_index|plain_flag}}
OR
{{#invoke:String|find|source=source_str|target=target_str|start=start_index|plain=plain_flag}}
Parameters
source: The string to search
target: The string or pattern to find within source
start: The index within the source string to start the search, defaults to 1
plain: Boolean flag indicating that target should be understood as plain
text and not as a Lua style regular expression, defaults to true
If invoked using named parameters, Mediawiki will automatically remove any leading or
trailing whitespace from the parameter. In some circumstances this is desirable, in
other cases one may want to preserve the whitespace.
This function returns the first index >= "start" where "target" can be found
within "source". Indices are 1-based. If "target" is not found, then this
function returns 0. If either "source" or "target" are missing / empty, this
function also returns 0.
This function should be safe for UTF-8 strings.
]]
function str.find( frame )
local new_args = str._getParameters( frame.args, {'source', 'target', 'start', 'plain' } )
local source_str = new_args['source'] or ''
local pattern = new_args['target'] or ''
local start_pos = tonumber(new_args['start']) or 1
local plain = new_args['plain'] or true
if source_str == '' or pattern == '' then
return 0
end
plain = str._getBoolean( plain )
local start = mw.ustring.find( source_str, pattern, start_pos, plain )
if start == nil then
start = 0
end
return start
end
--[[
replace
This function allows one to replace a target string or pattern within another
string.
Usage:
{{#invoke:String|replace|source_str|pattern_string|replace_string|replacement_count|plain_flag}}
OR
{{#invoke:String|replace|source=source_string|pattern=pattern_string|replace=replace_string|
count=replacement_count|plain=plain_flag}}
Parameters
source: The string to search
pattern: The string or pattern to find within source
replace: The replacement text
count: The number of occurences to replace, defaults to all.
plain: Boolean flag indicating that pattern should be understood as plain
text and not as a Lua style regular expression, defaults to true
]]
function str.replace( frame )
local new_args = str._getParameters( frame.args, {'source', 'pattern', 'replace', 'count', 'plain' } )
local source_str = new_args['source'] or ''
local pattern = new_args['pattern'] or ''
local replace = new_args['replace'] or ''
local count = tonumber( new_args['count'] )
local plain = new_args['plain'] or true
if source_str == '' or pattern == '' then
return source_str
end
plain = str._getBoolean( plain )
if plain then
pattern = str._escapePattern( pattern )
replace = mw.ustring.gsub( replace, "%%", "%%%%" ) --Only need to escape replacement sequences.
end
local result
if count ~= nil then
result = mw.ustring.gsub( source_str, pattern, replace, count )
else
result = mw.ustring.gsub( source_str, pattern, replace )
end
return result
end
--[[
simple function to pipe string.rep to templates.
]]
function str.rep( frame )
local repetitions = tonumber( frame.args[2] )
if not repetitions then
return str._error( 'function rep expects a number as second parameter, received "' .. ( frame.args[2] or '' ) .. '"' )
end
return string.rep( frame.args[1] or '', repetitions )
end
--[[
escapePattern
This function escapes special characters from a Lua string pattern. See [1]
for details on how patterns work.
[1] https://www.mediawiki.org/wiki/Extension:Scribunto/Lua_reference_manual#Patterns
Usage:
{{#invoke:String|escapePattern|pattern_string}}
Parameters
pattern_string: The pattern string to escape.
]]
function str.escapePattern( frame )
local pattern_str = frame.args[1]
if not pattern_str then
return str._error( 'No pattern string specified' )
end
local result = str._escapePattern( pattern_str )
return result
end
--[[
count
This function counts the number of occurrences of one string in another.
]]
function str.count(frame)
local args = str._getParameters(frame.args, {'source', 'pattern', 'plain'})
local source = args.source or ''
local pattern = args.pattern or ''
local plain = str._getBoolean(args.plain or true)
if plain then
pattern = str._escapePattern(pattern)
end
local _, count = mw.ustring.gsub(source, pattern, '')
return count
end
--[[
endswith
This function determines whether a string ends with another string.
]]
function str.endswith(frame)
local args = str._getParameters(frame.args, {'source', 'pattern'})
local source = args.source or ''
local pattern = args.pattern or ''
if pattern == '' then
-- All strings end with the empty string.
return "yes"
end
if mw.ustring.sub(source, -mw.ustring.len(pattern), -1) == pattern then
return "yes"
else
return ""
end
end
--[[
join
Join all non empty arguments together; the first argument is the separator.
Usage:
{{#invoke:String|join|sep|one|two|three}}
]]
function str.join(frame)
local args = {}
local sep
for _, v in ipairs( frame.args ) do
if sep then
if v ~= '' then
table.insert(args, v)
end
else
sep = v
end
end
return table.concat( args, sep or '' )
end
--[[
Helper function that populates the argument list given that user may need to use a mix of
named and unnamed parameters. This is relevant because named parameters are not
identical to unnamed parameters due to string trimming, and when dealing with strings
we sometimes want to either preserve or remove that whitespace depending on the application.
]]
function str._getParameters( frame_args, arg_list )
local new_args = {}
local index = 1
local value
for _, arg in ipairs( arg_list ) do
value = frame_args[arg]
if value == nil then
value = frame_args[index]
index = index + 1
end
new_args[arg] = value
end
return new_args
end
--[[
Helper function to handle error messages.
]]
function str._error( error_str )
local frame = mw.getCurrentFrame()
local error_category = frame.args.error_category or 'Errors reported by Module String'
local ignore_errors = frame.args.ignore_errors or false
local no_category = frame.args.no_category or false
if str._getBoolean(ignore_errors) then
return ''
end
local error_str = '<strong class="error">String Module Error: ' .. error_str .. '</strong>'
if error_category ~= '' and not str._getBoolean( no_category ) then
error_str = '[[Category:' .. error_category .. ']]' .. error_str
end
return error_str
end
--[[
Helper Function to interpret boolean strings
]]
function str._getBoolean( boolean_str )
local boolean_value
if type( boolean_str ) == 'string' then
boolean_str = boolean_str:lower()
if boolean_str == 'false' or boolean_str == 'no' or boolean_str == '0'
or boolean_str == '' then
boolean_value = false
else
boolean_value = true
end
elseif type( boolean_str ) == 'boolean' then
boolean_value = boolean_str
else
error( 'No boolean value found' )
end
return boolean_value
end
--[[
Helper function that escapes all pattern characters so that they will be treated
as plain text.
]]
function str._escapePattern( pattern_str )
return mw.ustring.gsub( pattern_str, "([%(%)%.%%%+%-%*%?%[%^%$%]])", "%%%1" )
end
return str
6df794dd52434e0f6a372c9918f5a9dedd15f579
Module:TNT
828
422
708
707
2023-10-22T03:29:42Z
Mintology
8
1 revision imported: i'll import a thousand lua modules before i let this company die
Scribunto
text/plain
--
-- INTRO: (!!! DO NOT RENAME THIS PAGE !!!)
-- This module allows any template or module to be copy/pasted between
-- wikis without any translation changes. All translation text is stored
-- in the global Data:*.tab pages on Commons, and used everywhere.
--
-- SEE: https://www.mediawiki.org/wiki/Multilingual_Templates_and_Modules
--
-- ATTENTION:
-- Please do NOT rename this module - it has to be identical on all wikis.
-- This code is maintained at https://www.mediawiki.org/wiki/Module:TNT
-- Please do not modify it anywhere else, as it may get copied and override your changes.
-- Suggestions can be made at https://www.mediawiki.org/wiki/Module_talk:TNT
--
-- DESCRIPTION:
-- The "msg" function uses a Commons dataset to translate a message
-- with a given key (e.g. source-table), plus optional arguments
-- to the wiki markup in the current content language.
-- Use lang=xx to set language. Example:
--
-- {{#invoke:TNT | msg
-- | I18n/Template:Graphs.tab <!-- https://commons.wikimedia.org/wiki/Data:I18n/Template:Graphs.tab -->
-- | source-table <!-- uses a translation message with id = "source-table" -->
-- | param1 }} <!-- optional parameter -->
--
--
-- The "doc" function will generate the <templatedata> parameter documentation for templates.
-- This way all template parameters can be stored and localized in a single Commons dataset.
-- NOTE: "doc" assumes that all documentation is located in Data:Templatedata/* on Commons.
--
-- {{#invoke:TNT | doc | Graph:Lines }}
-- uses https://commons.wikimedia.org/wiki/Data:Templatedata/Graph:Lines.tab
-- if the current page is Template:Graph:Lines/doc
--
local p = {}
local i18nDataset = 'I18n/Module:TNT.tab'
-- Forward declaration of the local functions
local sanitizeDataset, loadData, link, formatMessage
function p.msg(frame)
local dataset, id
local params = {}
local lang = nil
for k, v in pairs(frame.args) do
if k == 1 then
dataset = mw.text.trim(v)
elseif k == 2 then
id = mw.text.trim(v)
elseif type(k) == 'number' then
table.insert(params, mw.text.trim(v))
elseif k == 'lang' and v ~= '_' then
lang = mw.text.trim(v)
end
end
return formatMessage(dataset, id, params, lang)
end
-- Identical to p.msg() above, but used from other lua modules
-- Parameters: name of dataset, message key, optional arguments
-- Example with 2 params: format('I18n/Module:TNT', 'error_bad_msgkey', 'my-key', 'my-dataset')
function p.format(dataset, key, ...)
local checkType = require('libraryUtil').checkType
checkType('format', 1, dataset, 'string')
checkType('format', 2, key, 'string')
return formatMessage(dataset, key, {...})
end
-- Identical to p.msg() above, but used from other lua modules with the language param
-- Parameters: language code, name of dataset, message key, optional arguments
-- Example with 2 params: formatInLanguage('es', I18n/Module:TNT', 'error_bad_msgkey', 'my-key', 'my-dataset')
function p.formatInLanguage(lang, dataset, key, ...)
local checkType = require('libraryUtil').checkType
checkType('formatInLanguage', 1, lang, 'string')
checkType('formatInLanguage', 2, dataset, 'string')
checkType('formatInLanguage', 3, key, 'string')
return formatMessage(dataset, key, {...}, lang)
end
-- Obsolete function that adds a 'c:' prefix to the first param.
-- "Sandbox/Sample.tab" -> 'c:Data:Sandbox/Sample.tab'
function p.link(frame)
return link(frame.args[1])
end
function p.doc(frame)
local dataset = 'Templatedata/' .. sanitizeDataset(frame.args[1])
return frame:extensionTag('templatedata', p.getTemplateData(dataset)) ..
formatMessage(i18nDataset, 'edit_doc', {link(dataset)})
end
function p.getTemplateData(dataset)
-- TODO: add '_' parameter once lua starts reindexing properly for "all" languages
local data = loadData(dataset)
local names = {}
for _, field in pairs(data.schema.fields) do
table.insert(names, field.name)
end
local params = {}
local paramOrder = {}
for _, row in pairs(data.data) do
local newVal = {}
local name = nil
for pos, val in pairs(row) do
local columnName = names[pos]
if columnName == 'name' then
name = val
else
newVal[columnName] = val
end
end
if name then
params[name] = newVal
table.insert(paramOrder, name)
end
end
-- Work around json encoding treating {"1":{...}} as an [{...}]
params['zzz123']=''
local json = mw.text.jsonEncode({
params=params,
paramOrder=paramOrder,
description=data.description
})
json = string.gsub(json,'"zzz123":"",?', "")
return json
end
-- Local functions
sanitizeDataset = function(dataset)
if not dataset then
return nil
end
dataset = mw.text.trim(dataset)
if dataset == '' then
return nil
elseif string.sub(dataset,-4) ~= '.tab' then
return dataset .. '.tab'
else
return dataset
end
end
loadData = function(dataset, lang)
dataset = sanitizeDataset(dataset)
if not dataset then
error(formatMessage(i18nDataset, 'error_no_dataset', {}))
end
-- Give helpful error to thirdparties who try and copy this module.
if not mw.ext or not mw.ext.data or not mw.ext.data.get then
error('Missing JsonConfig extension; Cannot load https://commons.wikimedia.org/wiki/Data:' .. dataset)
end
local data = mw.ext.data.get(dataset, lang)
if data == false then
if dataset == i18nDataset then
-- Prevent cyclical calls
error('Missing Commons dataset ' .. i18nDataset)
else
error(formatMessage(i18nDataset, 'error_bad_dataset', {link(dataset)}))
end
end
return data
end
-- Given a dataset name, convert it to a title with the 'commons:data:' prefix
link = function(dataset)
return 'c:Data:' .. mw.text.trim(dataset or '')
end
formatMessage = function(dataset, key, params, lang)
for _, row in pairs(loadData(dataset, lang).data) do
local id, msg = unpack(row)
if id == key then
local result = mw.message.newRawMessage(msg, unpack(params or {}))
return result:plain()
end
end
if dataset == i18nDataset then
-- Prevent cyclical calls
error('Invalid message key "' .. key .. '"')
else
error(formatMessage(i18nDataset, 'error_bad_msgkey', {key, link(dataset)}))
end
end
return p
9d0d10e54abd232c806dcabccaf03e52858634a1
Module:TableTools
828
423
710
709
2023-10-22T03:29:43Z
Mintology
8
1 revision imported: i'll import a thousand lua modules before i let this company die
Scribunto
text/plain
------------------------------------------------------------------------------------
-- TableTools --
-- --
-- This module includes a number of functions for dealing with Lua tables. --
-- It is a meta-module, meant to be called from other Lua modules, and should not --
-- be called directly from #invoke. --
------------------------------------------------------------------------------------
local libraryUtil = require('libraryUtil')
local p = {}
-- Define often-used variables and functions.
local floor = math.floor
local infinity = math.huge
local checkType = libraryUtil.checkType
local checkTypeMulti = libraryUtil.checkTypeMulti
------------------------------------------------------------------------------------
-- isPositiveInteger
--
-- This function returns true if the given value is a positive integer, and false
-- if not. Although it doesn't operate on tables, it is included here as it is
-- useful for determining whether a given table key is in the array part or the
-- hash part of a table.
------------------------------------------------------------------------------------
function p.isPositiveInteger(v)
return type(v) == 'number' and v >= 1 and floor(v) == v and v < infinity
end
------------------------------------------------------------------------------------
-- isNan
--
-- This function returns true if the given number is a NaN value, and false if
-- not. Although it doesn't operate on tables, it is included here as it is useful
-- for determining whether a value can be a valid table key. Lua will generate an
-- error if a NaN is used as a table key.
------------------------------------------------------------------------------------
function p.isNan(v)
return type(v) == 'number' and v ~= v
end
------------------------------------------------------------------------------------
-- shallowClone
--
-- This returns a clone of a table. The value returned is a new table, but all
-- subtables and functions are shared. Metamethods are respected, but the returned
-- table will have no metatable of its own.
------------------------------------------------------------------------------------
function p.shallowClone(t)
checkType('shallowClone', 1, t, 'table')
local ret = {}
for k, v in pairs(t) do
ret[k] = v
end
return ret
end
------------------------------------------------------------------------------------
-- removeDuplicates
--
-- This removes duplicate values from an array. Non-positive-integer keys are
-- ignored. The earliest value is kept, and all subsequent duplicate values are
-- removed, but otherwise the array order is unchanged.
------------------------------------------------------------------------------------
function p.removeDuplicates(arr)
checkType('removeDuplicates', 1, arr, 'table')
local isNan = p.isNan
local ret, exists = {}, {}
for _, v in ipairs(arr) do
if isNan(v) then
-- NaNs can't be table keys, and they are also unique, so we don't need to check existence.
ret[#ret + 1] = v
else
if not exists[v] then
ret[#ret + 1] = v
exists[v] = true
end
end
end
return ret
end
------------------------------------------------------------------------------------
-- numKeys
--
-- This takes a table and returns an array containing the numbers of any numerical
-- keys that have non-nil values, sorted in numerical order.
------------------------------------------------------------------------------------
function p.numKeys(t)
checkType('numKeys', 1, t, 'table')
local isPositiveInteger = p.isPositiveInteger
local nums = {}
for k in pairs(t) do
if isPositiveInteger(k) then
nums[#nums + 1] = k
end
end
table.sort(nums)
return nums
end
------------------------------------------------------------------------------------
-- affixNums
--
-- This takes a table and returns an array containing the numbers of keys with the
-- specified prefix and suffix. For example, for the table
-- {a1 = 'foo', a3 = 'bar', a6 = 'baz'} and the prefix "a", affixNums will return
-- {1, 3, 6}.
------------------------------------------------------------------------------------
function p.affixNums(t, prefix, suffix)
checkType('affixNums', 1, t, 'table')
checkType('affixNums', 2, prefix, 'string', true)
checkType('affixNums', 3, suffix, 'string', true)
local function cleanPattern(s)
-- Cleans a pattern so that the magic characters ()%.[]*+-?^$ are interpreted literally.
return s:gsub('([%(%)%%%.%[%]%*%+%-%?%^%$])', '%%%1')
end
prefix = prefix or ''
suffix = suffix or ''
prefix = cleanPattern(prefix)
suffix = cleanPattern(suffix)
local pattern = '^' .. prefix .. '([1-9]%d*)' .. suffix .. '$'
local nums = {}
for k in pairs(t) do
if type(k) == 'string' then
local num = mw.ustring.match(k, pattern)
if num then
nums[#nums + 1] = tonumber(num)
end
end
end
table.sort(nums)
return nums
end
------------------------------------------------------------------------------------
-- numData
--
-- Given a table with keys like {"foo1", "bar1", "foo2", "baz2"}, returns a table
-- of subtables in the format
-- {[1] = {foo = 'text', bar = 'text'}, [2] = {foo = 'text', baz = 'text'}}.
-- Keys that don't end with an integer are stored in a subtable named "other". The
-- compress option compresses the table so that it can be iterated over with
-- ipairs.
------------------------------------------------------------------------------------
function p.numData(t, compress)
checkType('numData', 1, t, 'table')
checkType('numData', 2, compress, 'boolean', true)
local ret = {}
for k, v in pairs(t) do
local prefix, num = mw.ustring.match(tostring(k), '^([^0-9]*)([1-9][0-9]*)$')
if num then
num = tonumber(num)
local subtable = ret[num] or {}
if prefix == '' then
-- Positional parameters match the blank string; put them at the start of the subtable instead.
prefix = 1
end
subtable[prefix] = v
ret[num] = subtable
else
local subtable = ret.other or {}
subtable[k] = v
ret.other = subtable
end
end
if compress then
local other = ret.other
ret = p.compressSparseArray(ret)
ret.other = other
end
return ret
end
------------------------------------------------------------------------------------
-- compressSparseArray
--
-- This takes an array with one or more nil values, and removes the nil values
-- while preserving the order, so that the array can be safely traversed with
-- ipairs.
------------------------------------------------------------------------------------
function p.compressSparseArray(t)
checkType('compressSparseArray', 1, t, 'table')
local ret = {}
local nums = p.numKeys(t)
for _, num in ipairs(nums) do
ret[#ret + 1] = t[num]
end
return ret
end
------------------------------------------------------------------------------------
-- sparseIpairs
--
-- This is an iterator for sparse arrays. It can be used like ipairs, but can
-- handle nil values.
------------------------------------------------------------------------------------
function p.sparseIpairs(t)
checkType('sparseIpairs', 1, t, 'table')
local nums = p.numKeys(t)
local i = 0
local lim = #nums
return function ()
i = i + 1
if i <= lim then
local key = nums[i]
return key, t[key]
else
return nil, nil
end
end
end
------------------------------------------------------------------------------------
-- size
--
-- This returns the size of a key/value pair table. It will also work on arrays,
-- but for arrays it is more efficient to use the # operator.
------------------------------------------------------------------------------------
function p.size(t)
checkType('size', 1, t, 'table')
local i = 0
for _ in pairs(t) do
i = i + 1
end
return i
end
local function defaultKeySort(item1, item2)
-- "number" < "string", so numbers will be sorted before strings.
local type1, type2 = type(item1), type(item2)
if type1 ~= type2 then
return type1 < type2
elseif type1 == 'table' or type1 == 'boolean' or type1 == 'function' then
return tostring(item1) < tostring(item2)
else
return item1 < item2
end
end
------------------------------------------------------------------------------------
-- keysToList
--
-- Returns an array of the keys in a table, sorted using either a default
-- comparison function or a custom keySort function.
------------------------------------------------------------------------------------
function p.keysToList(t, keySort, checked)
if not checked then
checkType('keysToList', 1, t, 'table')
checkTypeMulti('keysToList', 2, keySort, {'function', 'boolean', 'nil'})
end
local arr = {}
local index = 1
for k in pairs(t) do
arr[index] = k
index = index + 1
end
if keySort ~= false then
keySort = type(keySort) == 'function' and keySort or defaultKeySort
table.sort(arr, keySort)
end
return arr
end
------------------------------------------------------------------------------------
-- sortedPairs
--
-- Iterates through a table, with the keys sorted using the keysToList function.
-- If there are only numerical keys, sparseIpairs is probably more efficient.
------------------------------------------------------------------------------------
function p.sortedPairs(t, keySort)
checkType('sortedPairs', 1, t, 'table')
checkType('sortedPairs', 2, keySort, 'function', true)
local arr = p.keysToList(t, keySort, true)
local i = 0
return function ()
i = i + 1
local key = arr[i]
if key ~= nil then
return key, t[key]
else
return nil, nil
end
end
end
------------------------------------------------------------------------------------
-- isArray
--
-- Returns true if the given value is a table and all keys are consecutive
-- integers starting at 1.
------------------------------------------------------------------------------------
function p.isArray(v)
if type(v) ~= 'table' then
return false
end
local i = 0
for _ in pairs(v) do
i = i + 1
if v[i] == nil then
return false
end
end
return true
end
------------------------------------------------------------------------------------
-- isArrayLike
--
-- Returns true if the given value is iterable and all keys are consecutive
-- integers starting at 1.
------------------------------------------------------------------------------------
function p.isArrayLike(v)
if not pcall(pairs, v) then
return false
end
local i = 0
for _ in pairs(v) do
i = i + 1
if v[i] == nil then
return false
end
end
return true
end
------------------------------------------------------------------------------------
-- invert
--
-- Transposes the keys and values in an array. For example, {"a", "b", "c"} ->
-- {a = 1, b = 2, c = 3}. Duplicates are not supported (result values refer to
-- the index of the last duplicate) and NaN values are ignored.
------------------------------------------------------------------------------------
function p.invert(arr)
checkType("invert", 1, arr, "table")
local isNan = p.isNan
local map = {}
for i, v in ipairs(arr) do
if not isNan(v) then
map[v] = i
end
end
return map
end
------------------------------------------------------------------------------------
-- listToSet
--
-- Creates a set from the array part of the table. Indexing the set by any of the
-- values of the array returns true. For example, {"a", "b", "c"} ->
-- {a = true, b = true, c = true}. NaN values are ignored as Lua considers them
-- never equal to any value (including other NaNs or even themselves).
------------------------------------------------------------------------------------
function p.listToSet(arr)
checkType("listToSet", 1, arr, "table")
local isNan = p.isNan
local set = {}
for _, v in ipairs(arr) do
if not isNan(v) then
set[v] = true
end
end
return set
end
------------------------------------------------------------------------------------
-- deepCopy
--
-- Recursive deep copy function. Preserves identities of subtables.
------------------------------------------------------------------------------------
local function _deepCopy(orig, includeMetatable, already_seen)
-- Stores copies of tables indexed by the original table.
already_seen = already_seen or {}
local copy = already_seen[orig]
if copy ~= nil then
return copy
end
if type(orig) == 'table' then
copy = {}
for orig_key, orig_value in pairs(orig) do
copy[_deepCopy(orig_key, includeMetatable, already_seen)] = _deepCopy(orig_value, includeMetatable, already_seen)
end
already_seen[orig] = copy
if includeMetatable then
local mt = getmetatable(orig)
if mt ~= nil then
local mt_copy = _deepCopy(mt, includeMetatable, already_seen)
setmetatable(copy, mt_copy)
already_seen[mt] = mt_copy
end
end
else -- number, string, boolean, etc
copy = orig
end
return copy
end
function p.deepCopy(orig, noMetatable, already_seen)
checkType("deepCopy", 3, already_seen, "table", true)
return _deepCopy(orig, not noMetatable, already_seen)
end
------------------------------------------------------------------------------------
-- sparseConcat
--
-- Concatenates all values in the table that are indexed by a number, in order.
-- sparseConcat{a, nil, c, d} => "acd"
-- sparseConcat{nil, b, c, d} => "bcd"
------------------------------------------------------------------------------------
function p.sparseConcat(t, sep, i, j)
local arr = {}
local arr_i = 0
for _, v in p.sparseIpairs(t) do
arr_i = arr_i + 1
arr[arr_i] = v
end
return table.concat(arr, sep, i, j)
end
------------------------------------------------------------------------------------
-- length
--
-- Finds the length of an array, or of a quasi-array with keys such as "data1",
-- "data2", etc., using an exponential search algorithm. It is similar to the
-- operator #, but may return a different value when there are gaps in the array
-- portion of the table. Intended to be used on data loaded with mw.loadData. For
-- other tables, use #.
-- Note: #frame.args in frame object always be set to 0, regardless of the number
-- of unnamed template parameters, so use this function for frame.args.
------------------------------------------------------------------------------------
function p.length(t, prefix)
-- requiring module inline so that [[Module:Exponential search]] which is
-- only needed by this one function doesn't get millions of transclusions
local expSearch = require("Module:Exponential search")
checkType('length', 1, t, 'table')
checkType('length', 2, prefix, 'string', true)
return expSearch(function (i)
local key
if prefix then
key = prefix .. tostring(i)
else
key = i
end
return t[key] ~= nil
end) or 0
end
------------------------------------------------------------------------------------
-- inArray
--
-- Returns true if valueToFind is a member of the array, and false otherwise.
------------------------------------------------------------------------------------
function p.inArray(arr, valueToFind)
checkType("inArray", 1, arr, "table")
-- if valueToFind is nil, error?
for _, v in ipairs(arr) do
if v == valueToFind then
return true
end
end
return false
end
return p
085e7094ac84eb0132ee65822cf3f69cd8ba3d81
Module:Message box
828
424
716
715
2023-10-22T03:29:44Z
Mintology
8
1 revision imported: i'll import a thousand lua modules before i let this company die
Scribunto
text/plain
-- SOURCE: https://www.mediawiki.org/w/index.php?title=Module:Message_box
-- Load necessary modules.
require('strict')
local getArgs
local yesno = require('Module:Yesno')
-- Get a language object for formatDate and ucfirst.
local lang = mw.language.getContentLanguage()
-- Define constants
local CONFIG_MODULE = 'Module:Message box/configuration'
local DEMOSPACES = {talk = 'tmbox', image = 'imbox', file = 'imbox', category = 'cmbox', article = 'ambox', main = 'ambox'}
local TEMPLATE_STYLES = 'Module:Message box/%s.css'
--------------------------------------------------------------------------------
-- Helper functions
--------------------------------------------------------------------------------
local function getTitleObject(...)
-- Get the title object, passing the function through pcall
-- in case we are over the expensive function count limit.
local success, title = pcall(mw.title.new, ...)
if success then
return title
end
end
local function union(t1, t2)
-- Returns the union of two arrays.
local vals = {}
for i, v in ipairs(t1) do
vals[v] = true
end
for i, v in ipairs(t2) do
vals[v] = true
end
local ret = {}
for k in pairs(vals) do
table.insert(ret, k)
end
table.sort(ret)
return ret
end
local function getArgNums(args, prefix)
local nums = {}
for k, v in pairs(args) do
local num = mw.ustring.match(tostring(k), '^' .. prefix .. '([1-9]%d*)$')
if num then
table.insert(nums, tonumber(num))
end
end
table.sort(nums)
return nums
end
--------------------------------------------------------------------------------
-- Box class definition
--------------------------------------------------------------------------------
local MessageBox = {}
MessageBox.__index = MessageBox
function MessageBox.new(boxType, args, cfg)
args = args or {}
local obj = {}
obj.boxType = boxType
-- Set the title object and the namespace.
obj.title = getTitleObject(args.page) or mw.title.getCurrentTitle()
-- Set the config for our box type.
obj.cfg = cfg[boxType]
if not obj.cfg then
local ns = obj.title.namespace
-- boxType is "mbox" or invalid input
if args.demospace and args.demospace ~= '' then
-- implement demospace parameter of mbox
local demospace = string.lower(args.demospace)
if DEMOSPACES[demospace] then
-- use template from DEMOSPACES
obj.cfg = cfg[DEMOSPACES[demospace]]
obj.boxType = DEMOSPACES[demospace]
elseif string.find( demospace, 'talk' ) then
-- demo as a talk page
obj.cfg = cfg.tmbox
obj.boxType = 'tmbox'
else
-- default to ombox
obj.cfg = cfg.ombox
obj.boxType = 'ombox'
end
elseif ns == 0 then
obj.cfg = cfg.ambox -- main namespace
obj.boxType = 'ambox'
elseif ns == 6 then
obj.cfg = cfg.imbox -- file namespace
obj.boxType = 'imbox'
elseif ns == 14 then
obj.cfg = cfg.cmbox -- category namespace
obj.boxType = 'cmbox'
else
local nsTable = mw.site.namespaces[ns]
if nsTable and nsTable.isTalk then
obj.cfg = cfg.tmbox -- any talk namespace
obj.boxType = 'tmbox'
else
obj.cfg = cfg.ombox -- other namespaces or invalid input
obj.boxType = 'ombox'
end
end
end
-- Set the arguments, and remove all blank arguments except for the ones
-- listed in cfg.allowBlankParams.
do
local newArgs = {}
for k, v in pairs(args) do
if v ~= '' then
newArgs[k] = v
end
end
for i, param in ipairs(obj.cfg.allowBlankParams or {}) do
newArgs[param] = args[param]
end
obj.args = newArgs
end
-- Define internal data structure.
obj.categories = {}
obj.classes = {}
-- For lazy loading of [[Module:Category handler]].
obj.hasCategories = false
return setmetatable(obj, MessageBox)
end
function MessageBox:addCat(ns, cat, sort)
if not cat then
return nil
end
if sort then
cat = string.format('[[Category:%s|%s]]', cat, sort)
else
cat = string.format('[[Category:%s]]', cat)
end
self.hasCategories = true
self.categories[ns] = self.categories[ns] or {}
table.insert(self.categories[ns], cat)
end
function MessageBox:addClass(class)
if not class then
return nil
end
self.classes[class] = 1
end
function MessageBox:removeClass(class)
if not class then
return nil
end
self.classes[class] = nil
end
function MessageBox:setParameters()
local args = self.args
local cfg = self.cfg
-- Get type data.
self.type = args.type
local typeData = cfg.types[self.type]
self.invalidTypeError = cfg.showInvalidTypeError
and self.type
and not typeData
typeData = typeData or cfg.types[cfg.default]
self.typeClass = typeData.class
self.typeImage = typeData.image
-- Find if the box has been wrongly substituted.
self.isSubstituted = cfg.substCheck and args.subst == 'SUBST'
-- Find whether we are using a small message box.
self.isSmall = cfg.allowSmall and (
cfg.smallParam and args.small == cfg.smallParam
or not cfg.smallParam and yesno(args.small)
)
-- Add attributes, classes and styles.
self.id = args.id
self.name = args.name
for _, class in ipairs(cfg.classes or {}) do
self:addClass(class)
end
if self.name then
self:addClass('box-' .. string.gsub(self.name,' ','_'))
end
local plainlinks = yesno(args.plainlinks)
if plainlinks == true then
self:addClass('plainlinks')
elseif plainlinks == false then
self:removeClass('plainlinks')
end
if self.isSmall then
self:addClass(cfg.smallClass or 'mbox-small')
end
self:addClass(self.typeClass)
self:addClass(args.class)
self.style = args.style
self.attrs = args.attrs
-- Set text style.
self.textstyle = args.textstyle
-- Find if we are on the template page or not. This functionality is only
-- used if useCollapsibleTextFields is set, or if both cfg.templateCategory
-- and cfg.templateCategoryRequireName are set.
self.useCollapsibleTextFields = cfg.useCollapsibleTextFields
if self.useCollapsibleTextFields
or cfg.templateCategory
and cfg.templateCategoryRequireName
then
if self.name then
local templateName = mw.ustring.match(
self.name,
'^[tT][eE][mM][pP][lL][aA][tT][eE][%s_]*:[%s_]*(.*)$'
) or self.name
templateName = 'Template:' .. templateName
self.templateTitle = getTitleObject(templateName)
end
self.isTemplatePage = self.templateTitle
and mw.title.equals(self.title, self.templateTitle)
end
-- Process data for collapsible text fields. At the moment these are only
-- used in {{ambox}}.
if self.useCollapsibleTextFields then
-- Get the self.issue value.
if self.isSmall and args.smalltext then
self.issue = args.smalltext
else
local sect
if args.sect == '' then
sect = 'This ' .. (cfg.sectionDefault or 'page')
elseif type(args.sect) == 'string' then
sect = 'This ' .. args.sect
end
local issue = args.issue
issue = type(issue) == 'string' and issue ~= '' and issue or nil
local text = args.text
text = type(text) == 'string' and text or nil
local issues = {}
table.insert(issues, sect)
table.insert(issues, issue)
table.insert(issues, text)
self.issue = table.concat(issues, ' ')
end
-- Get the self.talk value.
local talk = args.talk
-- Show talk links on the template page or template subpages if the talk
-- parameter is blank.
if talk == ''
and self.templateTitle
and (
mw.title.equals(self.templateTitle, self.title)
or self.title:isSubpageOf(self.templateTitle)
)
then
talk = '#'
elseif talk == '' then
talk = nil
end
if talk then
-- If the talk value is a talk page, make a link to that page. Else
-- assume that it's a section heading, and make a link to the talk
-- page of the current page with that section heading.
local talkTitle = getTitleObject(talk)
local talkArgIsTalkPage = true
if not talkTitle or not talkTitle.isTalkPage then
talkArgIsTalkPage = false
talkTitle = getTitleObject(
self.title.text,
mw.site.namespaces[self.title.namespace].talk.id
)
end
if talkTitle and talkTitle.exists then
local talkText = 'Relevant discussion may be found on'
if talkArgIsTalkPage then
talkText = string.format(
'%s [[%s|%s]].',
talkText,
talk,
talkTitle.prefixedText
)
else
talkText = string.format(
'%s the [[%s#%s|talk page]].',
talkText,
talkTitle.prefixedText,
talk
)
end
self.talk = talkText
end
end
-- Get other values.
self.fix = args.fix ~= '' and args.fix or nil
local date
if args.date and args.date ~= '' then
date = args.date
elseif args.date == '' and self.isTemplatePage then
date = lang:formatDate('F Y')
end
if date then
self.date = string.format(" <small class='date-container'>''(<span class='date'>%s</span>)''</small>", date)
end
self.info = args.info
if yesno(args.removalnotice) then
self.removalNotice = cfg.removalNotice
end
end
-- Set the non-collapsible text field. At the moment this is used by all box
-- types other than ambox, and also by ambox when small=yes.
if self.isSmall then
self.text = args.smalltext or args.text
else
self.text = args.text
end
-- Set the below row.
self.below = cfg.below and args.below
-- General image settings.
self.imageCellDiv = not self.isSmall and cfg.imageCellDiv
self.imageEmptyCell = cfg.imageEmptyCell
if cfg.imageEmptyCellStyle then
self.imageEmptyCellStyle = 'border:none;padding:0px;width:1px'
end
-- Left image settings.
local imageLeft = self.isSmall and args.smallimage or args.image
if cfg.imageCheckBlank and imageLeft ~= 'blank' and imageLeft ~= 'none'
or not cfg.imageCheckBlank and imageLeft ~= 'none'
then
self.imageLeft = imageLeft
if not imageLeft then
local imageSize = self.isSmall
and (cfg.imageSmallSize or '30x30px')
or '40x40px'
self.imageLeft = string.format('[[File:%s|%s|link=|alt=]]', self.typeImage
or 'Imbox notice.png', imageSize)
end
end
-- Right image settings.
local imageRight = self.isSmall and args.smallimageright or args.imageright
if not (cfg.imageRightNone and imageRight == 'none') then
self.imageRight = imageRight
end
end
function MessageBox:setMainspaceCategories()
local args = self.args
local cfg = self.cfg
if not cfg.allowMainspaceCategories then
return nil
end
local nums = {}
for _, prefix in ipairs{'cat', 'category', 'all'} do
args[prefix .. '1'] = args[prefix]
nums = union(nums, getArgNums(args, prefix))
end
-- The following is roughly equivalent to the old {{Ambox/category}}.
local date = args.date
date = type(date) == 'string' and date
local preposition = 'from'
for _, num in ipairs(nums) do
local mainCat = args['cat' .. tostring(num)]
or args['category' .. tostring(num)]
local allCat = args['all' .. tostring(num)]
mainCat = type(mainCat) == 'string' and mainCat
allCat = type(allCat) == 'string' and allCat
if mainCat and date and date ~= '' then
local catTitle = string.format('%s %s %s', mainCat, preposition, date)
self:addCat(0, catTitle)
catTitle = getTitleObject('Category:' .. catTitle)
if not catTitle or not catTitle.exists then
self:addCat(0, 'Articles with invalid date parameter in template')
end
elseif mainCat and (not date or date == '') then
self:addCat(0, mainCat)
end
if allCat then
self:addCat(0, allCat)
end
end
end
function MessageBox:setTemplateCategories()
local args = self.args
local cfg = self.cfg
-- Add template categories.
if cfg.templateCategory then
if cfg.templateCategoryRequireName then
if self.isTemplatePage then
self:addCat(10, cfg.templateCategory)
end
elseif not self.title.isSubpage then
self:addCat(10, cfg.templateCategory)
end
end
-- Add template error categories.
if cfg.templateErrorCategory then
local templateErrorCategory = cfg.templateErrorCategory
local templateCat, templateSort
if not self.name and not self.title.isSubpage then
templateCat = templateErrorCategory
elseif self.isTemplatePage then
local paramsToCheck = cfg.templateErrorParamsToCheck or {}
local count = 0
for i, param in ipairs(paramsToCheck) do
if not args[param] then
count = count + 1
end
end
if count > 0 then
templateCat = templateErrorCategory
templateSort = tostring(count)
end
if self.categoryNums and #self.categoryNums > 0 then
templateCat = templateErrorCategory
templateSort = 'C'
end
end
self:addCat(10, templateCat, templateSort)
end
end
function MessageBox:setAllNamespaceCategories()
-- Set categories for all namespaces.
if self.isSubstituted then
self:addCat('all', 'Pages with incorrectly substituted templates')
end
end
function MessageBox:setCategories()
if self.title.namespace == 0 then
self:setMainspaceCategories()
elseif self.title.namespace == 10 then
self:setTemplateCategories()
end
self:setAllNamespaceCategories()
end
function MessageBox:renderCategories()
if not self.hasCategories then
-- No categories added, no need to pass them to Category handler so,
-- if it was invoked, it would return the empty string.
-- So we shortcut and return the empty string.
return ""
end
-- Convert category tables to strings and pass them through
-- [[Module:Category handler]].
return require('Module:Category handler')._main{
main = table.concat(self.categories[0] or {}),
template = table.concat(self.categories[10] or {}),
all = table.concat(self.categories.all or {}),
nocat = self.args.nocat,
page = self.args.page
}
end
function MessageBox:export()
local root = mw.html.create()
-- Add the subst check error.
if self.isSubstituted and self.name then
root:tag('b')
:addClass('error')
:wikitext(string.format(
'Template <code>%s[[Template:%s|%s]]%s</code> has been incorrectly substituted.',
mw.text.nowiki('{{'), self.name, self.name, mw.text.nowiki('}}')
))
end
-- Add TemplateStyles
root:wikitext(mw.getCurrentFrame():extensionTag{
name = 'templatestyles',
args = { src = TEMPLATE_STYLES:format(self.boxType) },
})
-- Create the box table.
local boxTable
-- Check for fmbox because not all interface messages have mw-parser-output
-- which is necessary for TemplateStyles. Add the wrapper class if it is and
-- then start the actual mbox, else start the mbox.
if self.boxType == 'fmbox' then
boxTable = root:tag('div')
:addClass('mw-parser-output')
:tag('table')
else
boxTable = root:tag('table')
end
boxTable:attr('id', self.id or nil)
for class, _ in pairs(self.classes or {}) do
boxTable:addClass(class or nil)
end
boxTable
:cssText(self.style or nil)
:attr('role', 'presentation')
if self.attrs then
boxTable:attr(self.attrs)
end
-- Add the left-hand image.
local row = boxTable:tag('tr')
if self.imageLeft then
local imageLeftCell = row:tag('td'):addClass('mbox-image')
if self.imageCellDiv then
-- If we are using a div, redefine imageLeftCell so that the image
-- is inside it. Divs use style="width: 52px;", which limits the
-- image width to 52px. If any images in a div are wider than that,
-- they may overlap with the text or cause other display problems.
imageLeftCell = imageLeftCell:tag('div'):css('width', '52px')
end
imageLeftCell:wikitext(self.imageLeft or nil)
elseif self.imageEmptyCell then
-- Some message boxes define an empty cell if no image is specified, and
-- some don't. The old template code in templates where empty cells are
-- specified gives the following hint: "No image. Cell with some width
-- or padding necessary for text cell to have 100% width."
row:tag('td')
:addClass('mbox-empty-cell')
:cssText(self.imageEmptyCellStyle or nil)
end
-- Add the text.
local textCell = row:tag('td'):addClass('mbox-text')
if self.useCollapsibleTextFields then
-- The message box uses advanced text parameters that allow things to be
-- collapsible. At the moment, only ambox uses this.
textCell:cssText(self.textstyle or nil)
local textCellDiv = textCell:tag('div')
textCellDiv
:addClass('mbox-text-span')
:wikitext(self.issue or nil)
if (self.talk or self.fix) and not self.isSmall then
textCellDiv:tag('span')
:addClass('hide-when-compact')
:wikitext(self.talk and (' ' .. self.talk) or nil)
:wikitext(self.fix and (' ' .. self.fix) or nil)
end
textCellDiv:wikitext(self.date and (' ' .. self.date) or nil)
if self.info and not self.isSmall then
textCellDiv
:tag('span')
:addClass('hide-when-compact')
:wikitext(self.info and (' ' .. self.info) or nil)
end
if self.removalNotice then
textCellDiv:tag('small')
:addClass('hide-when-compact')
:tag('i')
:wikitext(string.format(" (%s)", self.removalNotice))
end
else
-- Default text formatting - anything goes.
textCell
:cssText(self.textstyle or nil)
:wikitext(self.text or nil)
end
-- Add the right-hand image.
if self.imageRight then
local imageRightCell = row:tag('td'):addClass('mbox-imageright')
if self.imageCellDiv then
-- If we are using a div, redefine imageRightCell so that the image
-- is inside it.
imageRightCell = imageRightCell:tag('div'):css('width', '52px')
end
imageRightCell
:wikitext(self.imageRight or nil)
end
-- Add the below row.
if self.below then
boxTable:tag('tr')
:tag('td')
:attr('colspan', self.imageRight and '3' or '2')
:addClass('mbox-text')
:cssText(self.textstyle or nil)
:wikitext(self.below or nil)
end
-- Add error message for invalid type parameters.
if self.invalidTypeError then
root:tag('div')
:css('text-align', 'center')
:wikitext(string.format(
'This message box is using an invalid "type=%s" parameter and needs fixing.',
self.type or ''
))
end
-- Add categories.
root:wikitext(self:renderCategories() or nil)
return tostring(root)
end
--------------------------------------------------------------------------------
-- Exports
--------------------------------------------------------------------------------
local p, mt = {}, {}
function p._exportClasses()
-- For testing.
return {
MessageBox = MessageBox
}
end
function p.main(boxType, args, cfgTables)
local box = MessageBox.new(boxType, args, cfgTables or mw.loadData(CONFIG_MODULE))
box:setParameters()
box:setCategories()
return box:export()
end
function mt.__index(t, k)
return function (frame)
if not getArgs then
getArgs = require('Module:Arguments').getArgs
end
return t.main(k, getArgs(frame, {trim = false, removeBlanks = false}))
end
end
return setmetatable(p, mt)
7414f89c2e4dff799c3586dff29027140856be0e
Module:Message box/configuration
828
425
718
717
2023-10-22T03:29:45Z
Mintology
8
1 revision imported: i'll import a thousand lua modules before i let this company die
Scribunto
text/plain
--------------------------------------------------------------------------------
-- Message box configuration --
-- --
-- This module contains configuration data for [[Module:Message box]]. --
--------------------------------------------------------------------------------
return {
ambox = {
types = {
speedy = {
class = 'ambox-speedy',
image = 'OOjs UI icon clock-destructive.svg'
},
delete = {
class = 'ambox-delete',
image = 'OOjs UI icon alert-destructive.svg'
},
warning = { -- alias for content
class = 'ambox-content',
image = 'OOjs UI icon notice-warning.svg'
},
content = {
class = 'ambox-content',
image = 'OOjs UI icon notice-warning.svg'
},
style = {
class = 'ambox-style',
image = 'Edit-clear.svg'
},
move = {
class = 'ambox-move',
image = 'Merge-split-transwiki default.svg'
},
protection = {
class = 'ambox-protection',
image = 'Semi-protection-shackle-keyhole.svg'
},
notice = {
class = 'ambox-notice',
image = 'OOjs UI icon information-progressive.svg'
}
},
default = 'notice',
allowBlankParams = {'talk', 'sect', 'date', 'issue', 'fix', 'subst', 'hidden'},
allowSmall = true,
smallParam = 'left',
smallClass = 'mbox-small-left',
substCheck = true,
classes = {'metadata', 'plainlinks', 'ambox'},
imageEmptyCell = true,
imageCheckBlank = true,
imageSmallSize = '20x20px',
imageCellDiv = true,
useCollapsibleTextFields = true,
imageRightNone = true,
sectionDefault = 'article',
allowMainspaceCategories = true,
templateCategory = 'Article message templates',
templateCategoryRequireName = true,
templateErrorCategory = nil,
templateErrorParamsToCheck = {'issue', 'fix', 'subst'}
},
cmbox = {
types = {
speedy = {
class = 'cmbox-speedy',
image = 'OOjs UI icon clock-destructive.svg'
},
delete = {
class = 'cmbox-delete',
image = 'OOjs UI icon alert-destructive.svg'
},
content = {
class = 'cmbox-content',
image = 'OOjs UI icon notice-warning.svg'
},
style = {
class = 'cmbox-style',
image = 'Edit-clear.svg'
},
move = {
class = 'cmbox-move',
image = 'Merge-split-transwiki default.svg'
},
protection = {
class = 'cmbox-protection',
image = 'Semi-protection-shackle-keyhole.svg'
},
notice = {
class = 'cmbox-notice',
image = 'OOjs UI icon information-progressive.svg'
},
caution = {
class = 'cmbox-style',
image = 'Ambox warning yellow.svg'
}
},
default = 'notice',
showInvalidTypeError = true,
classes = {'plainlinks', 'cmbox'},
imageEmptyCell = true
},
fmbox = {
types = {
warning = {
class = 'fmbox-warning',
image = 'OOjs UI icon clock-destructive.svg'
},
editnotice = {
class = 'fmbox-editnotice',
image = 'OOjs UI icon information-progressive.svg'
},
system = {
class = 'fmbox-system',
image = 'OOjs UI icon information-progressive.svg'
}
},
default = 'system',
showInvalidTypeError = true,
classes = {'plainlinks', 'fmbox'},
imageEmptyCell = false,
imageRightNone = false
},
imbox = {
types = {
speedy = {
class = 'imbox-speedy',
image = 'OOjs UI icon clock-destructive.svg'
},
delete = {
class = 'imbox-delete',
image = 'OOjs UI icon alert-destructive.svg'
},
content = {
class = 'imbox-content',
image = 'OOjs UI icon notice-warning.svg'
},
style = {
class = 'imbox-style',
image = 'Edit-clear.svg'
},
move = {
class = 'imbox-move',
image = 'Merge-split-transwiki default.svg'
},
protection = {
class = 'imbox-protection',
image = 'Semi-protection-shackle-keyhole.svg'
},
license = {
class = 'imbox-license licensetpl',
image = 'Imbox license.png' -- @todo We need an SVG version of this
},
featured = {
class = 'imbox-featured',
image = 'Cscr-featured.svg'
},
notice = {
class = 'imbox-notice',
image = 'OOjs UI icon information-progressive.svg'
}
},
default = 'notice',
showInvalidTypeError = true,
classes = {'imbox'},
usePlainlinksParam = true,
imageEmptyCell = true,
below = true,
templateCategory = 'File message boxes'
},
ombox = {
types = {
speedy = {
class = 'ombox-speedy',
image = 'OOjs UI icon clock-destructive.svg'
},
delete = {
class = 'ombox-delete',
image = 'OOjs UI icon alert-destructive.svg'
},
warning = { -- alias for content
class = 'ombox-content',
image = 'OOjs UI icon notice-warning.svg'
},
content = {
class = 'ombox-content',
image = 'OOjs UI icon notice-warning.svg'
},
style = {
class = 'ombox-style',
image = 'Edit-clear.svg'
},
move = {
class = 'ombox-move',
image = 'Merge-split-transwiki default.svg'
},
protection = {
class = 'ombox-protection',
image = 'Semi-protection-shackle-keyhole.svg'
},
notice = {
class = 'ombox-notice',
image = 'OOjs UI icon information-progressive.svg'
},
critical = {
class = 'mbox-critical',
image = 'OOjs UI icon clock-destructive.svg'
}
},
default = 'notice',
showInvalidTypeError = true,
classes = {'plainlinks', 'ombox'},
allowSmall = true,
imageEmptyCell = true,
imageRightNone = true
},
tmbox = {
types = {
speedy = {
class = 'tmbox-speedy',
image = 'OOjs UI icon clock-destructive.svg'
},
delete = {
class = 'tmbox-delete',
image = 'OOjs UI icon alert-destructive.svg'
},
content = {
class = 'tmbox-content',
image = 'OOjs UI icon notice-warning.svg'
},
style = {
class = 'tmbox-style',
image = 'Edit-clear.svg'
},
move = {
class = 'tmbox-move',
image = 'Merge-split-transwiki default.svg'
},
protection = {
class = 'tmbox-protection',
image = 'Semi-protection-shackle-keyhole.svg'
},
notice = {
class = 'tmbox-notice',
image = 'OOjs UI icon information-progressive.svg'
}
},
default = 'notice',
showInvalidTypeError = true,
classes = {'plainlinks', 'tmbox'},
allowSmall = true,
imageRightNone = true,
imageEmptyCell = true,
imageEmptyCellStyle = true,
templateCategory = 'Talk message boxes'
}
}
d8cf419a57983f67944903d17535c0ee0780ceb6
Siette Aerien/Infobox
0
106
719
314
2023-10-22T03:44:20Z
2601:410:4300:C720:D0D5:6A48:596C:ABD5
0
wikitext
text/x-wiki
{{Character Infobox
|name = Siette Aerien
|symbol = [[File:Capricorn.png|32px]]
|symbol2 = [[File:Aspect_Rage.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|purple| character quote that you want underneath their picture}}
|intro = 8/20/2021
|title = {{Classpect|Rage|Witch}}
|age = {{Age|9.5}}
|gender = She/They (Female)
|status = Alive </br>
Traveling
|screenname = balefulAcrobat
|style = Replaces "E" with "3", and "S" with "5". Primarily types in lowercase.
|specibus = Axekind </br>
Former: Whipkind
|modus = Charades
|relations = [[Mabuya Arnava|{{RS quote|Violet|Mabuya Arnava}}]] - [[Matesprits|Matesprit]] </br>
[[The Headsman|{{RS quote|purple|The Headsman}}]] - [[Ancestors|Ancestor]]
|planet = Land of Mirage and Storm
|likes = Faygo </br>
Murder </br
|dislikes = dislikes, or not
|aka = Sisi, Strawberry
|creator = [https://howlingheretic.tumblr.com/tagged/fantroll HowlingHeretic]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
47cfb38e89b18cf23b98e544412e6727c8bde435
724
719
2023-10-22T03:51:33Z
2601:410:4300:C720:D0D5:6A48:596C:ABD5
0
wikitext
text/x-wiki
{{Character Infobox
|name = Siette Aerien
|symbol = [[File:Capricorn.png|32px]]
|symbol2 = [[File:Aspect_Rage.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|purple| character quote that you want underneath their picture}}
|intro = 8/20/2021
|title = {{Classpect|Rage|Witch}}
|age = {{Age|9.5}}
|gender = She/They (Female)
|status = Alive </br>
Traveling
|screenname = balefulAcrobat
|style = Replaces "E" with "3", and "S" with "5". Primarily types in lowercase.
|specibus = Axekind </br>
Former: Whipkind
|modus = Charades
|relations = [[Mabuya Arnava|{{RS quote|Violet|Mabuya Arnava}}]] - [[Matesprits|Matesprit]] </br>
[[The Headsman|{{RS quote|purple|The Headsman}}]] - [[Ancestors|Ancestor]]
|planet = Land of Mirage and Storm
|likes = Faygo </br>
Murder
|dislikes = [[Guppie Suamui|{{RS quote|violet|Guppie Suamui]] </br>
[[Awoole Fenrir|{{RS quote|bronze|Awoole Fenrir]]
|aka = Sisi, Strawberry
|creator = [https://howlingheretic.tumblr.com/tagged/fantroll HowlingHeretic]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
7467947c01b36deee67bcd8b45702a1117b152c5
Dream Planets
0
426
720
2023-10-22T03:45:54Z
Katabasis
6
Created page with "== Prospit and Derse == '''Prospit''' and '''Derse''' are the twin planets that host the dreamselves of all the players of Sburb. Nominally, half should be on one, and half on the other, but the numbers are slightly disbalanced and there are more dreamselves on Prospit than Derse. They are inhabited by [[Carapacian]]s. It is unclear what role they will play in Sburb, given the unique gamestate of [[Re:Symphony]]'s session."
wikitext
text/x-wiki
== Prospit and Derse ==
'''Prospit''' and '''Derse''' are the twin planets that host the dreamselves of all the players of Sburb. Nominally, half should be on one, and half on the other, but the numbers are slightly disbalanced and there are more dreamselves on Prospit than Derse. They are inhabited by [[Carapacian]]s.
It is unclear what role they will play in Sburb, given the unique gamestate of [[Re:Symphony]]'s session.
a7408b6fab23d2461cceb4e62b4a8640d87e8efb
Derse
0
427
721
2023-10-22T03:46:19Z
Katabasis
6
Redirected page to [[Dream Planets]]
wikitext
text/x-wiki
#REDIRECT [[Dream Planets]]
82d48fb2b081c2ccf4b07f696550f6e1202fb313
Prospit
0
428
722
2023-10-22T03:46:58Z
Katabasis
6
Redirected page to [[Dream Planets]]
wikitext
text/x-wiki
#REDIRECT [[Dream Planets]]
82d48fb2b081c2ccf4b07f696550f6e1202fb313
Re:Symphony
0
429
725
2023-10-22T03:51:46Z
Katabasis
6
Redirected page to [[Main Page]]
wikitext
text/x-wiki
#REDIRECT [[Main Page]]
c222ad63e9e6a1e286ff83e0861447ce17bf759f
Template:Navbox Trolls
10
72
726
623
2023-10-22T03:54:54Z
Katabasis
6
UNDID IT!!!!!!! SLORRY!!!!!!!!!
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:ECG.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:ECG.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|16px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:ECG.png|16px|link=Skeletani]] {{clink|Skeletani|greenblood}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
57102f243162e04753ac1733dbcbf856fa9c6108
File:Prospit.png
6
430
727
2023-10-22T03:56:19Z
Katabasis
6
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Derse.png
6
431
728
2023-10-22T03:56:43Z
Katabasis
6
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Dream Planets
0
426
729
720
2023-10-22T03:58:35Z
Katabasis
6
added pics teehee
wikitext
text/x-wiki
== Prospit and Derse ==
'''Prospit''' and '''Derse''' are the twin planets whose moons host the dreamselves of all the players of Sburb. Nominally, half should be on one, and half on the other, but the numbers are slightly disbalanced and there are more dreamselves on Prospit than Derse. They are inhabited by [[Carapacian]]s.
It is unclear what role they will play in Sburb, given the unique gamestate of [[Re:Symphony]]'s session.
== The Moons ==
<gallery>
prospit.png|WHERE IS ''MY'' GOLDEN CITY
derse.png|The Meat<small>tm</small> not included
</gallery>
620d3eda404606b3535eef745f068f8364f0d656
763
729
2023-10-22T07:19:02Z
Onepeachymo
2
wikitext
text/x-wiki
== Prospit and Derse ==
'''Prospit''' and '''Derse''' are the twin planets whose moons host the dreamselves of all the players of Sburb. Nominally, half should be on one, and half on the other, but the numbers are slightly disbalanced and there are more dreamselves on Prospit than Derse. They are inhabited by [[Carapacian]]s.
It is unclear what role they will play in Sburb, given the unique gamestate of [[Re:Symphony]]'s session.
== The Moons ==
<gallery>
prospit.png|WHERE IS ''MY'' GOLDEN CITY
derse.png|The Meat<small>tm</small> not included
</gallery>
[[Category:Locations]]
cf1b849771201c3dfddc84d17000053cf05d4b04
File:Knight.png
6
82
730
266
2023-10-22T04:15:12Z
Katabasis
6
Katabasis uploaded a new version of [[File:Knight.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Siette Aerien/Infobox
0
106
731
724
2023-10-22T04:18:47Z
2601:410:4300:C720:D0D5:6A48:596C:ABD5
0
wikitext
text/x-wiki
{{Character Infobox
|name = Siette Aerien
|symbol = [[File:Capricorn.png|32px]]
|symbol2 = [[File:Aspect_Rage.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|purpleblood|5quirm.}}
|intro = 8/20/2021
|title = {{Classpect|Rage|Witch}}
|age = {{Age|9.5}}
|gender = She/They (Nonbinary)
|status = Alive </br>
Traveling </br>
On a killing spree </br>
|screenname = Baleful Acrobat
|style = Replaces "E," with "3," and "S," with "5." Primarily types in lowercase.
|specibus = Axekind, Whipkind
|modus = Modus
|relations = [[Mabuya Arnava|{{RS quote|violetblood|Mabuya Arnava}}]] - [[Matesprites|Matesprit]]
|planet = Land of Mirage and Storm
|likes = Faygo, Murder, Silk Dancing
|dislikes = [[Guppie Suamui|{{RS quote|violetblood|Guppie Suamui}}]], [[Awoole Fenrir|{{RS quote|bronzeblood|Awoole Fenrir}}]]
|aka = Sisi, Strawberry
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
e2a59ea847ab3558189cbc6ca20367226962400b
741
731
2023-10-22T04:49:42Z
HowlingHeretic
3
Undo revision 731 by [[Special:Contributions/2601:410:4300:C720:D0D5:6A48:596C:ABD5|2601:410:4300:C720:D0D5:6A48:596C:ABD5]] ([[User talk:2601:410:4300:C720:D0D5:6A48:596C:ABD5|talk]])
wikitext
text/x-wiki
{{Character Infobox
|name = Siette Aerien
|symbol = [[File:Capricorn.png|32px]]
|symbol2 = [[File:Aspect_Rage.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|purple| character quote that you want underneath their picture}}
|intro = 8/20/2021
|title = {{Classpect|Rage|Witch}}
|age = {{Age|9.5}}
|gender = She/They (Female)
|status = Alive </br>
Traveling
|screenname = balefulAcrobat
|style = Replaces "E" with "3", and "S" with "5". Primarily types in lowercase.
|specibus = Axekind </br>
Former: Whipkind
|modus = Charades
|relations = [[Mabuya Arnava|{{RS quote|Violet|Mabuya Arnava}}]] - [[Matesprits|Matesprit]] </br>
[[The Headsman|{{RS quote|purple|The Headsman}}]] - [[Ancestors|Ancestor]]
|planet = Land of Mirage and Storm
|likes = Faygo </br>
Murder
|dislikes = [[Guppie Suamui|{{RS quote|violet|Guppie Suamui]] </br>
[[Awoole Fenrir|{{RS quote|bronze|Awoole Fenrir]]
|aka = Sisi, Strawberry
|creator = [https://howlingheretic.tumblr.com/tagged/fantroll HowlingHeretic]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
7467947c01b36deee67bcd8b45702a1117b152c5
743
741
2023-10-22T04:51:33Z
HowlingHeretic
3
wikitext
text/x-wiki
{{Character Infobox
|name = Siette Aerien
|symbol = [[File:Capricorn.png|32px]]
|symbol2 = [[File:Aspect_Rage.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|purpleblood|5quirm.}}
|intro = 8/20/2021
|title = {{Classpect|Rage|Witch}}
|age = {{Age|9.5}}
|gender = She/They (Nonbinary)
|status = Alive </br>
Traveling </br>
On a killing spree </br>
|screenname = Baleful Acrobat
|style = Replaces "E," with "3," and "S," with "5." Primarily types in lowercase.
|specibus = Axekind, Whipkind
|modus = Modus
|relations = [[Mabuya Arnava|{{RS quote|violetblood|Mabuya Arnava}}]] - [[Matesprites|Matesprit]]
|planet = Land of Mirage and Storm
|likes = Faygo, Murder, Silk Dancing
|dislikes = [[Guppie Suamui|{{RS quote|violetblood|Guppie Suamui}}]], [[Awoole Fenrir|{{RS quote|bronzeblood|Awoole Fenrir}}]]
|aka = Sisi, Strawberry
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
e2a59ea847ab3558189cbc6ca20367226962400b
778
743
2023-10-22T07:42:56Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Siette Aerien
|symbol = [[File:Capricorn.png|32px]]
|symbol2 = [[File:Aspect_Rage.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|purpleblood|5quirm.}}
|intro = 8/20/2021
|title = {{Classpect|Rage|Witch}}
|age = {{Age|9.5}}
|gender = She/They (Nonbinary)
|status = Alive </br>
Traveling </br>
On a killing spree </br>
|screenname = Baleful Acrobat
|style = Replaces "E," with "3," and "S," with "5." Primarily types in lowercase.
|specibus = Axekind, Whipkind
|modus = Modus
|relations = [[Mabuya Arnava|{{RS quote|violetblood|Mabuya Arnava}}]] - [[Matesprites|Matesprit]]
|planet = Land of Mirage and Storm
|likes = Faygo, Murder, Silk Dancing
|dislikes = [[Guppie Suamui|{{RS quote|violetblood|Guppie Suamui}}]], [[Awoole Fenrir|{{RS quote|bronzeblood|Awoole Fenrir}}]]
|aka = {{RS quote|violetblood|Sisi, Strawberry}} ([[Mabuya Arnava|Mabuya]])
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
97662204e1d9b643afb6234c776f076e5dd3a034
Siette Aerien
0
6
732
346
2023-10-22T04:19:52Z
2601:410:4300:C720:D0D5:6A48:596C:ABD5
0
wikitext
text/x-wiki
{{DISPLAYTITLE:Siette Aerien}}
{{/Infobox}}
'''Siette Aerien''', also known by her [[Moonbounce]] handle {{RS quote|purpleblood|balefulAcrobat}} , is one of the [[troll]]s in ''[[Re:Symphony]]''. Her sign is true Capricorn, or SIGN OF THE CAPRICIOUS, and she is a Witch of Rage. She is an aerial silk dancer.
Siette joined the server on 8/20/2021. She found a piece of paper with the link written on it tucked into her silks.
==Etymology==
Siette's first name comes from the word, "slette," which means to eradicate, or remove. Originally, her name was Slette, but after a misread, the name was changed to Siette for better readability. Her last name, Aerien, is an altered version of aerial, which is in reference to her aerial silk performance in the circus.
Siette's chat handle, balefulAcrobat, means "killer clown." Baleful, in this context, is used with the definition of, "Harmful or malignant in intent or effect. " Acrobat here is used with the in-universe context of most- if not all -circus performers being Purple bloods. Siette, while efficient, is not known for her subtlety.
==Biography==
===Early Life===
Siette was adopted by a troll only known as the Priestess, following her discovering her and her lusus. Siette's lusus, affectionately named Lily, was beaten and bloody, presumably found after a battle defending grub-Siette. Siette was raised in the church, under the close tutelage of her Priestess. Siette was taught the ways of the Mirthful Messiahs, and was trained to be an efficient killer. Siette performed part-time in a circus as well, as an [https://en.wikipedia.org/wiki/Aerial_silk aerial silk dancer]
==Personality and Traits==
==Relationships==
===Mabuya Arnava===
Mabuya is Siette's matesprit.
==Trivia==
==Gallery==
<gallery position="center" widths="185">
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
aa2cca2b04b51a85b7973efc3f0fcf464c1bab60
745
732
2023-10-22T05:12:19Z
HowlingHeretic
3
wikitext
text/x-wiki
{{DISPLAYTITLE:Siette Aerien}}
{{/Infobox}}
'''Siette Aerien''', also known by her [[Moonbounce]] handle {{RS quote|purpleblood|balefulAcrobat}} , is one of the [[troll]]s in ''[[Re:Symphony]]''. Her sign is true Capricorn, and she is a Witch of Rage. She is an aerial silk dancer.
Siette joined the server on 8/20/2021. She found a piece of paper with the link written on it tucked into her silks.
==Etymology==
Siette's first name comes from the word, "slette," which means to eradicate, or remove. Originally, her name was Slette, but after a misread, the name was changed to Siette for better readability. Her last name, Aerien, is an altered version of aerial, which is in reference to her aerial silk performance in the circus.
Siette's chat handle, balefulAcrobat, means "killer clown." Baleful, in this context, is used with the definition of, "Harmful or malignant in intent or effect. " Acrobat here is used with the in-universe context of most- if not all -circus performers being Purple bloods. Siette, while efficient, is not known for her subtlety.
==Biography==
===Early Life===
Siette was adopted by a troll only known as the Priestess, following her discovering her and her lusus. Siette's lusus, affectionately named Lily, was beaten and bloody, presumably found after a battle defending grub-Siette. Siette was raised in the church, under the close tutelage of her Priestess. Siette was taught the ways of the Mirthful Messiahs, and was trained to be an efficient killer. Siette performed part-time in a circus as well, as an [https://en.wikipedia.org/wiki/Aerial_silk aerial silk dancer]
==Personality and Traits==
==Relationships==
===Mabuya Arnava===
Mabuya is Siette's matesprit.
==Trivia==
==Gallery==
<gallery position="center" widths="185">
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
1a1a7eb272bc3d74b70374527bd6a084d7313679
Troll
0
13
733
618
2023-10-22T04:20:35Z
Katabasis
6
added a bit on typing styles to fix a broken link on the character template page
wikitext
text/x-wiki
'''Trolls''' are an alien race from the webcomic ''Homestuck''. They are the prominent race of Re:Symphony and live on the planet Alternia.
== Typing Styles ==
MO5T TROLLS H4V3 SOM3 K1ND OF TYP1NG QU1RK TH4T R3VOLV3S 4ROUND R3PL4C1NG C3RT41N CH4R4CT3RS 1N TH31R S3NT3NC3S W1TH OTH3R ON3S, although this is only a single example. Every troll's typing quirk is unique. Some involve appendations at the starts or beginnings, some are simply alternate dialects, and some involve '''text''' ''formatting'' <small>shenanigans.</small> It is generally considered either intimate or rude to use someone else's typing quirk on purpose.
An index of all active trolls (should) be found here:
{{Navbox Trolls}}
[[Category:Trolls]]
b930da6920c8d542c75e9cd6a1024832fc25caf9
Typing Quirk
0
433
736
2023-10-22T04:26:33Z
Katabasis
6
ok this one should work?
wikitext
text/x-wiki
#REDIRECT [[Troll#Typing Style]]
a23bd90497fea83f62712bb6a85d40487c5cae5b
Awoole Fenrir
0
434
737
2023-10-22T04:41:41Z
2601:410:4300:C720:D0D5:6A48:596C:ABD5
0
Created page with "{{DISPLAYTITLE:Awoole Fenrir}} ==Etymology== ==Biography== ==Personality and Traits== ==Relationships== ==Trivia== ==Gallery=="
wikitext
text/x-wiki
{{DISPLAYTITLE:Awoole Fenrir}}
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
3fafe2dd16d10dbcbe9c3de416d6acdf95535a2b
Anyaru Servus
0
435
738
2023-10-22T04:43:59Z
2601:410:4300:C720:D0D5:6A48:596C:ABD5
0
Created page with "{{DISPLAYTITLE:Anyaru Servus}} ==Etymology== ==Biography== ==Personality and Traits== ==Relationships== ==Trivia== ==Gallery=="
wikitext
text/x-wiki
{{DISPLAYTITLE:Anyaru Servus}}
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
656b3a33f28b83c7b0b826af0316c30f2aac0d02
Poppie Toppie/infobox
0
87
739
273
2023-10-22T04:44:13Z
Katabasis
6
wikitext
text/x-wiki
{{Character Infobox
|name = Poppie Toppie
|symbol = [[File:Poppiesign.png|32px]]
|symbol2 = [[File:Aspect_Blood.png|32px]]
|complex = [[File:poppieplaceholder.png]]
|caption = {{RS quote|#3B00FF| slorry :(}}
|intro = Yesterday
|title = {{Classpect|Blood|Thief}}
|age = {{Age|8}}
|gender = It/its (Thing)
|status = Undead
|screenname = exigentWhirligig
|style = Capitalises and strikethroughs Ms and Cs. Makes spelling errors. Says "Slorry".
|specibus = Fangkind
|modus = Whirligig
|relations = [[The Wretched|{{RS quote|#3B00FF|The Wretched}}]] - [[Ancestors|Ancestor]]
|planet = Land of Pain and Sluffering
|likes = Blood, warmth, being touched or embraced, or maybe a little kissy maybe, [[Guppie Suamui|{{RS quote|violetblood|Guppie Suamui}}]]
|dislikes = The Agonies, [[Siette Aerien|{{RS quote|purpleblood|Siette Aerien}}]] (Scary)
|aka = World's Most Bleeding Animal
|creator = [[User:Katabasis]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
33f7fcab4c08eb49ee21451b6c009c06d6723ad3
Siniix Auctor
0
436
740
2023-10-22T04:44:57Z
2601:410:4300:C720:D0D5:6A48:596C:ABD5
0
Created page with "{{DISPLAYTITLE:Siniix Auctor}} ==Etymology== ==Biography== ==Personality and Traits== ==Relationships== ==Trivia== ==Gallery=="
wikitext
text/x-wiki
{{DISPLAYTITLE:Siniix Auctor}}
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
a4dc6229d56b0038ab05afafd60ae4311ed8cf90
746
740
2023-10-22T06:15:36Z
HowlingHeretic
3
wikitext
text/x-wiki
{{DISPLAYTITLE:Siniix Auctor}}
'''Siniix Auctor''' also known by her [[Moonbounce]] handle, {{RS quote|jadeblood|temporalDramatist}}. Her sign is [http://hs.hiveswap.com/ezodiac/truesign.php?TS=Virsci Virsci], and a '''Prospit''' dreamer. She is a '''Witch of Life'''. Her actual age is unknown, as is her birth date. Her ancestor is unknown. Her lusus was a deer, and has been deceased for a very long time. She never got to say goodbye.
Siniix joined the chatroom on 1/17/2023, after the message of her joining the chatroom appeared on her typewriter. Her typewriter stopped transmitting messages to the chatroom after she set up [[Moonbounce]] on her palmhusk.
==Etymology==
"Siniix," has no discernible meaning. "Auctor," is defined as an "[https://en.wiktionary.org/wiki/auctor obsolete form of author]." The first word of her chat handle, temporal, is presumably in reference to her historical plays and musicals. Dramatist is similarly related to her profession.
==Biography==
===Early Life===
Siniix has no record of any presence on Alternia before 2.5 sweeps before the present day, and when questioned about this, is incredibly cagey about the topic. Siniix is a popular playwright, and her plays are typically based off of records of ancestors. Siniix has a personal collection of ancient scrolls, all of which are in shockingly pristine condition. Siniix' canonical plays are usually trollified versions of popular musicals and plays in real life. Some examples are Phantom of the Opera, and Ride the Cyclone. Siniix lives close to New Troll City for work purposes, but lives far enough away that she can live a secluded life in a small cottage.
==Personality and Traits==
Siniix is very kind towards others, and very humble in regards to her plays' popularity. She generally likes most chat members, even if they've been openly hostile towards other chat members. She has a strong interest in literature and historical records. She has mentioned that she has a contact at the library in New Troll City who would lets her into the historical section with the "good stuff," implied to be restricted records.
==Relationships==
* [[Knight_Galfry|Knight Galfry]] is a pen-pal of Siniix. Siniix suggested that she and Knight become pen-pals primarily because she had already developed a red crush on Knight. This crush continues to grow in intensity as time goes on. Siniix loves how chivalrous Knight is. Siniix was drawn to Knight initially because of her being a swordswoman, something Siniix has a particular liking for. Siniix also likes Knight's tone of text, which she usually interprets as commanding, but sweet.
* [[Looksi_Gumshu|Looksi Gumshu]] is another red crush of Siniix. While not as intense as the one she has for Knight, she admires his profession, and finds his manner of speech to be attractive.
* [[Anyaru_Servus|Anyaru Servus]] is a friend of Siniix. She and Annie share a love for literature and tea. While they aren't close, it's implied that the two have had tea together on prior occasions.
==Trivia==
==Gallery==
9953953db698b8c5a75912fc442d54e5e5044e3b
747
746
2023-10-22T06:18:52Z
HowlingHeretic
3
wikitext
text/x-wiki
{{DISPLAYTITLE:Siniix Auctor}}
'''Siniix Auctor''' also known by her [[Moonbounce]] handle, {{RS quote|jadeblood|temporalDramatist}}. Her sign is [http://hs.hiveswap.com/ezodiac/truesign.php?TS=Virsci Virsci], and a '''Prospit''' dreamer. She is a '''Witch of Life'''. Her actual age is unknown, as is her birth date. Her ancestor is unknown. Her lusus was a deer, and has been deceased for a very long time. She never got to say goodbye.
Siniix joined the chatroom on 1/17/2023, after the message of her joining the chatroom appeared on her typewriter. Her typewriter stopped transmitting messages to the chatroom after she set up [[Moonbounce]] on her palmhusk.
==Etymology==
"Siniix," has no discernible meaning. "Auctor," is defined as an "[https://en.wiktionary.org/wiki/auctor obsolete form of author]." The first word of her chat handle, temporal, is presumably in reference to her historical plays and musicals. Dramatist is similarly related to her profession.
==Biography==
===Early Life===
Siniix has no record of any presence on Alternia before 2.5 sweeps before the present day, and when questioned about this, is incredibly cagey about the topic. Siniix is a popular playwright, and her plays are typically based off of records of ancestors. Siniix has a personal collection of ancient scrolls, all of which are in shockingly pristine condition. Siniix' canonical plays are usually trollified versions of popular musicals and plays in real life. Some examples are Phantom of the Opera, and Ride the Cyclone. Siniix lives close to New Troll City for work purposes, but lives far enough away that she can live a secluded life in a small cottage.
==Personality and Traits==
Siniix is very kind towards others, and very humble in regards to her plays' popularity. She generally likes most chat members, even if they've been openly hostile towards other chat members. She has a strong interest in literature and historical records. She has mentioned that she has a contact at the library in New Troll City who would lets her into the historical section with the "good stuff," implied to be restricted records. She enjoys baking, and making tea.
==Relationships==
* [[Knight_Galfry|Knight Galfry]] is a pen-pal of Siniix. Siniix suggested that she and Knight become pen-pals primarily because she had already developed a red crush on Knight. This crush continues to grow in intensity as time goes on. Siniix loves how chivalrous Knight is. Siniix was drawn to Knight initially because of her being a swordswoman, something Siniix has a particular liking for. Siniix also likes Knight's tone of text, which she usually interprets as commanding, but sweet.
* [[Looksi_Gumshu|Looksi Gumshu]] is another red crush of Siniix. While not as intense as the one she has for Knight, she admires his profession, and finds his manner of speech to be attractive.
* [[Anyaru_Servus|Anyaru Servus]] is a friend of Siniix. She and Annie share a love for literature and tea. While they aren't close, it's implied that the two have had tea together on prior occasions.
==Trivia==
==Gallery==
ecb64ed0940fea11888616059f459239f392c80c
Knight Galfry
0
18
742
619
2023-10-22T04:50:01Z
Katabasis
6
wikitext
text/x-wiki
{{/infobox}}
== Knight Galfry ==
Knight Galfry, possesséd of the [[Moonbounce]] username '''chivalrousCavalier''', is one of the [[trolls]] in [[Re:Symphony]]. She is approximately nine solar sweeps old, although her exact birthdate is unknown, and she is a '''Knight of Hope''', and - formerly - a '''prospit''' dreamer. Her ancestor was [[The Fortress]]. Her lusus was a chitinous barkingbeast, whom used to belong to her ancestor. She mercy killed it on its request some time during her late teenagehood.
Knight joined the conference on 4/8/2023 ([[British]] notation), when she found a mysterious satellite dish on the shore of the island she lives, and is imprisoned, on.
==Etymology==
'Knight' is a noun usually referring to an armoured individual from the medieval era. 'Galfry' is a corruption of 'Belfry', a reference to the two Belfry areas in Dark Souls II. 'Gal' can also be used as a slang term for a girl.
Given that Knight's ancestor's birth name was Knight Avalon, it can be assumed that the first name carries the ancestral significance in Knight's line, in inverse of typical Alternian tradition.
==Biography==
=== Early Life ===
Knight does not recall any of her life prior to turning five sweeps of age.
=== Act 1 ===
Knight killed her lusus at approximately the same time as [[The Party]].
=== Act ??? (Present) ===
* Knight recovered a satellite dish, which allowed her to connect to the internet, and also forced her into [[Moonbounce]]. She was greeted initially by [[Barise Klipse]], until a storm forced her connection to close. These storms are apparently a frequent asset of Knight's island.
* She printed off some sheets of paper and read up on popular culture that she was unfamiliar with.
* The [[Skoozeye]] washed up on her isle, and began developing its juju curse. Knight's paranoia began to intensify.
* Knight goes out drinking with several members of the chat, via momentarily hopping onto [[Calico Drayke]]'s ship. This night ends badly for all involved.
* Knight reveals to the chatroom that she dreams in an [https://mspaintadventures.fandom.com/wiki/Furthest_Ring abyssal void] filled with terrible beasts.
* Knight is further tormented by the Skoozeye.
* [[Auryyx Osimos]] accurately states that Knight killed her lusus, causing her to have a panic attack and accuse [[Anatta Tereme]] of using the group conference as a farm to manufacture exotic blood.
* Knight snaps during a dream and tears one of the terrible beasts to shreds. Inexplicably, its blood remains on her even when she wakes up.
* Knight messages [[Shikki]] to ask about Tewkid's condition. Shikki is weirded out by this.
* Knight writes a letter to [[Siniix Auctor]], and delivers it to her via [[Poppie Toppie]]'s absentee lusus.
* [[Leksee Sirrus]] visits Knight's island and builds her a hoverbike. Knight is terrified that he is going to kill her.
* Knight recieves Siniix's reply, and gets a bit gay about it.
* Knight assumes that [[Rigore Mortis]] has similar feelings for [[Aquett Aghara]] to her, and therefore becomes a bitch. (She is wrong about this assumption.)
Knight lives on an island slightly off the coast of the [[Sovereign Shores]], alone. She maintains regular contact with the [[Moonbounce]] group chat via a shaky internet connection, which is frequently interrupted by the violent storms which plague her island. She is able to leave the island, in short distances, via a hoverbike constructed for her by [[Leksee Sirrus]]. She is concurrently penpals with [[Siinix Auctor]].
==Personality and Traits==
Knight is a very boisterous and cavalier individual, who, verbally, speaks in a dialect that is approximately fit for the 18th or 19th centuries. However, she uses a fully archaic set of pronouns, such as 'thee', 'thy', 'thou', and their permutations. She also occasionally uses the royal 'one', 'oneself', and 'we'. She appends c=|===> to the beginning of her messages, types in all capitals, and bolds her text. These permutations disappear when she speaks without her helmet on, which is rarely.
Knight is blind in her right eye, and has many scars, due to several mutant genes. She is, however, almost impossible to kill.
Knight is afflicted with an intense paranoia that those around her dislike her or are plotting to kill her. This has been recently worsened by the [[Skoozeye]].
==Relationships==
* [[Tewkid Bownes]] gifted Knight his old palmhusk. She believes that he hates her, due to an unfortunate overextension of taste during their first meeting.
* [[Siniix Auctor]] maintains regular communiqué with Knight via a pen-pal scheme. Knight has a red crush on her.
* [[Awoole Fenrir]] tolerates Knight. She is the only blueblood that this tolerance applies to.
* [[Leksee Sirrus]] built Knight a hoverbike. Knight has a mixed pale-red crush on him.
* [[Aquett Aghara]] irritates Knight to no end, but he is very hot, and she has a black crush on him.
* Knight considers [[Barise Klipse]], [[Mabuya Arnava]], [[Serceu Vasper]], [[Miette]], [[Siette Airien]], [[Paluli Anriqi]], [[Kimber Rilley]], and [[Harfil Myches]] to be friends of hers.
* Knight dislikes [[Auryyx Osimos]], [[Skoozy Mcribb]], [[Pyrrah Kappen]], [[Guppie Suamui]] and [[Anatta Tereme]].
* Knight thinks she has burned her bridges with [[Anicca Shivuh]], [[Tewkid Bownes]], and [[Shikki]]. It is unclear if she is correct in this assumption.
==Trivia==
* Knight does not remove her armour anymore due to the presence of the Skoozeye.
* Knight is in denial about being gay.
* Knight's blood colour is millimeters away from her being considered a Purpleblood.
* Knight could take Aquett.
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
47289b739cc7f0eef3038ff28dfda9d24e433e75
744
742
2023-10-22T04:53:31Z
Katabasis
6
wikitext
text/x-wiki
{{/infobox}}
== Knight Galfry ==
Knight Galfry, possesséd of the [[Moonbounce]] username '''chivalrousCavalier''', is one of the [[trolls]] in [[Re:Symphony]]. She is approximately nine solar sweeps old, although her exact birthdate is unknown, and she is a '''Knight of Hope''', and - formerly - a '''prospit''' dreamer. Her ancestor was [[The Fortress]]. Her lusus was a chitinous barkingbeast, whom used to belong to her ancestor. She mercy killed it on its request some time during her late teenagehood.
Knight joined the conference on 4/8/2023 ([[British]] notation), when she found a mysterious satellite dish on the shore of the island she lives, and is imprisoned, on.
==Etymology==
'Knight' is a noun usually referring to an armoured individual from the medieval era. 'Galfry' is a corruption of 'Belfry', a reference to the two Belfry areas in Dark Souls II. 'Gal' can also be used as a slang term for a girl.
Given that Knight's ancestor's birth name was Knight Avalon, it can be assumed that the first name carries the ancestral significance in Knight's line, in inverse of typical Alternian tradition.
==Biography==
=== Early Life ===
Knight does not recall any of her life prior to turning five sweeps of age.
=== Act 1 ===
Knight killed her lusus at approximately the same time as [[The Party]].
=== Act ??? (Present) ===
* Knight recovered a satellite dish, which allowed her to connect to the internet, and also forced her into [[Moonbounce]]. She was greeted initially by [[Barise Klipse]], until a storm forced her connection to close. These storms are apparently a frequent asset of Knight's island.
* She printed off some sheets of paper and read up on popular culture that she was unfamiliar with.
* The [[Skoozeye]] washed up on her isle, and began developing its juju curse. Knight's paranoia began to intensify.
* Knight goes out drinking with several members of the chat, via momentarily hopping onto [[Calico Drayke]]'s ship. This night ends badly for all involved.
* Knight reveals to the chatroom that she dreams in an [https://mspaintadventures.fandom.com/wiki/Furthest_Ring abyssal void] filled with terrible beasts.
* Knight is further tormented by the Skoozeye.
* [[Auryyx Osimos]] accurately states that Knight killed her lusus, causing her to have a panic attack and accuse [[Anatta Tereme]] of using the group conference as a farm to manufacture exotic blood.
* Knight snaps during a dream and tears one of the terrible beasts to shreds. Inexplicably, its blood remains on her even when she wakes up.
* Knight messages [[Shikki]] to ask about Tewkid's condition. Shikki is weirded out by this.
* Knight writes a letter to [[Siniix Auctor]], and delivers it to her via [[Poppie Toppie]]'s absentee lusus.
* [[Leksee Sirrus]] visits Knight's island and builds her a hoverbike. Knight is terrified that he is going to kill her.
* Knight recieves Siniix's reply, and gets a bit gay about it.
* Knight assumes that [[Rigore Mortis]] has similar feelings for [[Aquett Aghara]] to her, and therefore becomes a bitch. (She is wrong about this assumption.)
Knight lives on an island slightly off the coast of the [[Sovereign Shores]], alone. She maintains regular contact with the [[Moonbounce]] group chat via a shaky internet connection, which is frequently interrupted by the violent storms which plague her island. She is able to leave the island, in short distances, via a hoverbike constructed for her by [[Leksee Sirrus]]. She is concurrently penpals with [[Siniix Auctor]].
==Personality and Traits==
Knight is a very boisterous and cavalier individual, who, verbally, speaks in a dialect that is approximately fit for the 18th or 19th centuries. However, she uses a fully archaic set of pronouns, such as 'thee', 'thy', 'thou', and their permutations. She also occasionally uses the royal 'one', 'oneself', and 'we'. She appends c=|===> to the beginning of her messages, types in all capitals, and bolds her text. These permutations disappear when she speaks without her helmet on, which is rarely.
Knight is blind in her right eye, and has many scars, due to several mutant genes. She is, however, almost impossible to kill.
Knight is afflicted with an intense paranoia that those around her dislike her or are plotting to kill her. This has been recently worsened by the [[Skoozeye]].
==Relationships==
* [[Tewkid Bownes]] gifted Knight his old palmhusk. She believes that he hates her, due to an unfortunate overextension of taste during their first meeting.
* [[Siniix Auctor]] maintains regular communiqué with Knight via a pen-pal scheme. Knight has a red crush on her.
* [[Awoole Fenrir]] tolerates Knight. She is the only blueblood that this tolerance applies to.
* [[Leksee Sirrus]] built Knight a hoverbike. Knight has a mixed pale-red crush on him.
* [[Aquett Aghara]] irritates Knight to no end, but he is very hot, and she has a black crush on him.
* Knight considers [[Barise Klipse]], [[Mabuya Arnava]], [[Serceu Vasper]], [[Miette]], [[Siette Airien]], [[Paluli Anriqi]], [[Kimber Rilley]], and [[Harfil Myches]] to be friends of hers.
* Knight dislikes [[Auryyx Osimos]], [[Skoozy Mcribb]], [[Pyrrah Kappen]], [[Guppie Suamui]] and [[Anatta Tereme]].
* Knight thinks she has burned her bridges with [[Anicca Shivuh]], [[Tewkid Bownes]], and [[Shikki]]. It is unclear if she is correct in this assumption.
==Trivia==
* Knight does not remove her armour anymore due to the presence of the Skoozeye.
* Knight is in denial about being gay.
* Knight's blood colour is millimeters away from her being considered a Purpleblood.
* Knight could take Aquett.
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
e71ec2f4ab97128ddf5543dddc03a8167020c32c
Template:Navbox Trolls
10
72
748
726
2023-10-22T06:22:45Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Libza.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|16px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|16px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|16px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|16px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Piga.png|16px|link=Skeletani]] {{clink|Skeletani|greenblood}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
f4e64cafb0fbc44a92e69e505b3f73c4159903ab
752
748
2023-10-22T06:57:34Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Libza.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|16px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|16px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|16px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|16px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Piga.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Lemino.png|16px|link=Skeletani]] {{clink|Skeletani|greenblood}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
57f804ff6df564b7209f31eb337e0b866f2d8d08
753
752
2023-10-22T06:59:17Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|compact=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Libza.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|16px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|16px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|16px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|16px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Piga.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Lemino.png|16px|link=Skeletani]] {{clink|Skeletani|greenblood}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
8b6b94beb9254384f18d6cc9ab577b1f6ed4bc5b
754
753
2023-10-22T06:59:59Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Libza.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|16px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|16px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|16px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|16px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Piga.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Lemino.png|16px|link=Skeletani]] {{clink|Skeletani|greenblood}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
57f804ff6df564b7209f31eb337e0b866f2d8d08
755
754
2023-10-22T07:04:39Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Libza.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|16px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|16px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|16px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|16px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Piga.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Lemino.png|16px|link=Skeletani]] {{clink|Skeletani|greenblood}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
63b23e26887066ee04cfd5b0c01b9f1f2a9a793c
757
755
2023-10-22T07:05:46Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Libza.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|12px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|15px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Piga.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Lemino.png|16px|link=Skeletani]] {{clink|Skeletani|greenblood}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
b730016faaaa3eb20f2b8f17678b8b1c3b20ef6c
758
757
2023-10-22T07:06:50Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|18px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Libza.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|14px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|12px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|15px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Piga.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Lemino.png|18px|link=Skeletani]] {{clink|Skeletani|greenblood}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
c559eac57c31ddb1b6dc6811dbe5ea266a1d522b
766
758
2023-10-22T07:21:05Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Libza.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|12px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|15px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Piga.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Lemino.png|16px|link=Skeletani]] {{clink|Skeletani|greenblood}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
b730016faaaa3eb20f2b8f17678b8b1c3b20ef6c
Template:Navbox Ancestors
10
437
749
2023-10-22T06:50:44Z
Onepeachymo
2
Created page with "{{navbox |title={{clink|Ancestors|white|Ancestors}} |collapsible=yes |content= {{!}}- {{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}} {{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center"> <tr> <td..."
wikitext
text/x-wiki
{{navbox
|title={{clink|Ancestors|white|Ancestors}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=The Tinkerer]] {{clink|The Tinkerer|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=The Merchant]] {{clink|The Merchant|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=The Truerook]] {{clink|The Truerook|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=The Immortal]] {{clink|The Immortal|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=The Romantic]] {{clink|The Romantic|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Libza.png|16px|link=The Sherlock]] {{clink|The Sherlock|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=The Fortress]] {{clink|The Fortress|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=The Wretched]] {{clink|The Wretched|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=The Headsman]] {{clink|The Headsman|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|16px|link=The Marauder]]{{clink|The Marauder|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|16px|link=The Deceiver]]{{clink|The Deceiver|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|16px|link=The Barbaric]]{{clink|The Barbaric|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|16px|link=The Countess]]{{clink|The Countess|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Pinius.png|16px|link=The Princeps]]{{clink|Princeps|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Ancestors
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
cc5e693b72d3a2d0d20edc52a5fb30d5b75d2e29
750
749
2023-10-22T06:52:35Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Ancestors|white|Ancestors}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=The Tinkerer]] {{clink|The Tinkerer|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=The Merchant]] {{clink|The Merchant|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=The Truerook]] {{clink|The Truerook|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=The Immortal]] {{clink|The Immortal|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=The Romantic]] {{clink|The Romantic|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Libza.png|16px|link=The Sherlock]] {{clink|The Sherlock|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=The Fortress]] {{clink|The Fortress|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=The Wretched]] {{clink|The Wretched|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=The Headsman]] {{clink|The Headsman|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=The Marauder]]{{clink|The Marauder|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|12px|link=The Deceiver]]{{clink|The Deceiver|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|15px|link=The Barbaric]]{{clink|The Barbaric|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=The Countess]]{{clink|The Countess|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Pinius.png|16px|link=The Princeps]]{{clink|The Princeps|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Ancestors
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
09d1166f0cfee4d3b12a3b7aa3d938b1835e09c5
751
750
2023-10-22T06:55:37Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Ancestors|white|Ancestors}}
|collapsible=yes
|compact=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=The Tinkerer]] {{clink|The Tinkerer|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=The Merchant]] {{clink|The Merchant|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=The Truerook]] {{clink|The Truerook|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=The Immortal]] {{clink|The Immortal|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=The Romantic]] {{clink|The Romantic|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Libza.png|16px|link=The Sherlock]] {{clink|The Sherlock|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=The Fortress]] {{clink|The Fortress|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=The Wretched]] {{clink|The Wretched|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=The Headsman]] {{clink|The Headsman|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=The Marauder]]{{clink|The Marauder|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|12px|link=The Deceiver]]{{clink|The Deceiver|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|15px|link=The Barbaric]]{{clink|The Barbaric|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=The Countess]]{{clink|The Countess|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Pinius.png|16px|link=The Princeps]]{{clink|The Princeps|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Ancestors
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
2a99ffc2020877471e4c73eb60ecfa6d71604675
759
751
2023-10-22T07:06:51Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Ancestors|white|Ancestors}}
|collapsible=yes
|compact=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=The Tinkerer]] {{clink|The Tinkerer|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=The Merchant]] {{clink|The Merchant|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=The Truerook]] {{clink|The Truerook|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|18px|link=The Immortal]] {{clink|The Immortal|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=The Romantic]] {{clink|The Romantic|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Libza.png|16px|link=The Sherlock]] {{clink|The Sherlock|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|14px|link=The Fortress]] {{clink|The Fortress|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=The Wretched]] {{clink|The Wretched|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=The Headsman]] {{clink|The Headsman|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=The Marauder]]{{clink|The Marauder|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|12px|link=The Deceiver]]{{clink|The Deceiver|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|15px|link=The Barbaric]]{{clink|The Barbaric|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=The Countess]]{{clink|The Countess|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Pinius.png|16px|link=The Princeps]]{{clink|The Princeps|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Ancestors
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
aea0dfded82c9eff68416862ea2a2c2c8cf08aef
767
759
2023-10-22T07:21:29Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Ancestors|white|Ancestors}}
|collapsible=yes
|compact=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=The Tinkerer]] {{clink|The Tinkerer|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=The Merchant]] {{clink|The Merchant|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=The Truerook]] {{clink|The Truerook|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=The Immortal]] {{clink|The Immortal|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=The Romantic]] {{clink|The Romantic|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Libza.png|16px|link=The Sherlock]] {{clink|The Sherlock|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=The Fortress]] {{clink|The Fortress|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=The Wretched]] {{clink|The Wretched|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=The Headsman]] {{clink|The Headsman|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=The Marauder]]{{clink|The Marauder|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|12px|link=The Deceiver]]{{clink|The Deceiver|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|15px|link=The Barbaric]]{{clink|The Barbaric|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=The Countess]]{{clink|The Countess|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Pinius.png|16px|link=The Princeps]]{{clink|The Princeps|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Ancestors
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
2a99ffc2020877471e4c73eb60ecfa6d71604675
769
767
2023-10-22T07:24:29Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Ancestors|white|Ancestors}}
|collapsible=yes
|compact=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=The Tinkerer]] {{clink|The Tinkerer|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=The Merchant]] {{clink|The Merchant|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=The Truerook]] {{clink|The Truerook|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=The Immortal]] {{clink|The Immortal|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=The Romantic]] {{clink|The Romantic|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Libza.png|16px|link=The Sherlock]] {{clink|The Sherlock|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Fortezzasign.png|16px|link=The Fortress]] {{clink|The Fortress|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=The Wretched]] {{clink|The Wretched|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=The Headsman]] {{clink|The Headsman|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=The Marauder]]{{clink|The Marauder|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|12px|link=The Deceiver]]{{clink|The Deceiver|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|15px|link=The Barbaric]]{{clink|The Barbaric|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=The Countess]]{{clink|The Countess|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Pinius.png|16px|link=The Princeps]]{{clink|The Princeps|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Ancestors
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
7b50e2bfb2127514f4200f218bbb4a5c23c5756d
770
769
2023-10-22T07:24:56Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Ancestors|white|Ancestors}}
|collapsible=yes
|compact=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=The Tinkerer]] {{clink|The Tinkerer|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=The Merchant]] {{clink|The Merchant|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=The Truerook]] {{clink|The Truerook|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=The Immortal]] {{clink|The Immortal|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=The Romantic]] {{clink|The Romantic|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Libza.png|16px|link=The Sherlock]] {{clink|The Sherlock|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Fortezzasign.png|20px|link=The Fortress]] {{clink|The Fortress|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=The Wretched]] {{clink|The Wretched|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=The Headsman]] {{clink|The Headsman|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=The Marauder]]{{clink|The Marauder|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|12px|link=The Deceiver]]{{clink|The Deceiver|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|15px|link=The Barbaric]]{{clink|The Barbaric|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=The Countess]]{{clink|The Countess|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Pinius.png|16px|link=The Princeps]]{{clink|The Princeps|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Ancestors
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
620eb441fa52dfe0790d39ee52377c72c9564e39
771
770
2023-10-22T07:25:35Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Ancestors|white|Ancestors}}
|collapsible=yes
|compact=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=The Tinkerer]] {{clink|The Tinkerer|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=The Merchant]] {{clink|The Merchant|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=The Truerook]] {{clink|The Truerook|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=The Immortal]] {{clink|The Immortal|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=The Romantic]] {{clink|The Romantic|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Libza.png|16px|link=The Sherlock]] {{clink|The Sherlock|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Fortezzasign.png|22px|link=The Fortress]] {{clink|The Fortress|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=The Wretched]] {{clink|The Wretched|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=The Headsman]] {{clink|The Headsman|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=The Marauder]]{{clink|The Marauder|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|12px|link=The Deceiver]]{{clink|The Deceiver|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|15px|link=The Barbaric]]{{clink|The Barbaric|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=The Countess]]{{clink|The Countess|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Pinius.png|16px|link=The Princeps]]{{clink|The Princeps|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Ancestors
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
2e4fbc59e6e37f3a805a7dd7e27772f9f2953f6d
Calico Drayke
0
2
756
243
2023-10-22T07:04:53Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Calico Drayke''', also known by his [[Moonbounce|Moonbounce]] tag, languidMarauder, is one of the major pirate characters and a minor antagonist at times in Re:Symphony. His sign is Aquiun and he is the Captain upon the ''Lealda's Dream''.
He joined the server on 9/22/2021, after finding a message in a bottle that contained the link to the server, along with [[Tewkid Bownes|Tewkid]].
==Etymology==
"Calico" was taken from the first name of the pirate "Calico Jack" and "Drayke" comes from the surname of the pirate "Francis Drake".
Languid, from his username, is taken from his smooth and relatively easy-going personality, while Marauder is a clear reference to his ancestor.
==Biography==
===Early Life===
Calico has been sailing as a Pirate Captain since he was incredibly young, with Tewkid as his first mate. Pyrrah attempted to capture them as a bounty, but failed due to Lealda's intervention. Calico and his crew eventually were the targets of a allegiance between Lealda's treasonous crew-mates and another crew of Bluebloods, and they were captured. Lealda once again came to their rescue, and they fought the Bluebloods and double-crossers together. With their remaining members, they merged the two crews. During the conflict, Calico's right eye was permanently damaged.
Lealda got into contact with Skoozy at some point after they merged crews, and he replaced Calico's damaged eye.
Lealda's death was a turning point for Calico and the crew. Teals tried to blame him for their death, but Skoozy was able to get him out of it.
===Act 1===
Calico was asked by Skoozy to crash the server's very first Party, out of petty revenge since he was explicitly not invited to come. He made his first appearance by going around the party gathering dirt on everyone present, then stirring drama up within all of the different groups there. He caused the party to become complete pandemonium before their ship finally crashed into the building, releasing Tewkid & the rest of the crew into the mayhem. They then began badgering and fucking with people in real time, before eventually heading off.
Calico and Tewkid joined the server shortly after this, though Calico hardly ever spoke in it.
===Act 2===
==Personality and Traits==
Calico is a guy that, on a general basis, takes it pretty easy. He's incredibly loyal, both to those who he fully trusts and his beliefs. He can easily enact brutality without any remorse. He's very manipulative and a talented actor. He's soooo cooooool.
==Relationships==
====[[Tewkid Bownes|Tewkid]]====
Tewkid was Calico's closest friend and confidante. He would go through thick and thin for Tewkid, sacrifice anything for him... Calico has known Tewkid longer than anyone else, and until the Fight they were best friends. After the Fight, however, Calico found out that Tewkid was The Deceiver's descendant, and did a complete 180 on him. If not for their prior relationship, Calico would have killed him where he stood, but he was unsure of what to do. Tensions rose on board until Calico finally confronted Tewkid once more about his ancestor, and implied he was going to kick Tewkid from the ship before Pyrrah attacked them and Calico was kidnapped. They have not communicated since.
====[[Skoozy Mcribb|Skoozy]]====
Skoozy has been a close friend of Calico's for a long time. Sometime between Skoozy replacing his eye while they were kids and helping him out with the teals after Lealda's death, they managed to form quite a strong bond. Calico is aware that Skoozy is not a good individual, but he isn't entirely aware of how despicable Skoozy can get.
====[[Salang Lyubov|Venus]]====
====[[Pyrrah Kappen|Pyrrah]]====
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}} {{Navbox Ancestors}}
[[Category:Trolls]]
f755c9122e6e2e327ce78c1ee9acb76b48c8eb56
760
756
2023-10-22T07:14:37Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Calico Drayke''', also known by his [[Moonbounce|Moonbounce]] tag, languidMarauder, is one of the major pirate characters and a minor antagonist at times in Re:Symphony. His sign is Aquiun and he is the Captain upon the ''Lealda's Dream''.
He joined the server on 9/22/2021, after finding a message in a bottle that contained the link to the server, along with [[Tewkid Bownes|Tewkid]].
==Etymology==
"Calico" was taken from the first name of the pirate "Calico Jack" and "Drayke" comes from the surname of the pirate "Francis Drake".
Languid, from his username, is taken from his smooth and relatively easy-going personality, while Marauder is a clear reference to his ancestor.
==Biography==
===Early Life===
Calico has been sailing as a Pirate Captain since he was incredibly young, with Tewkid as his first mate. Pyrrah attempted to capture them as a bounty, but failed due to Lealda's intervention. Calico and his crew eventually were the targets of a allegiance between Lealda's treasonous crew-mates and another crew of Bluebloods, and they were captured. Lealda once again came to their rescue, and they fought the Bluebloods and double-crossers together. With their remaining members, they merged the two crews. During the conflict, Calico's right eye was permanently damaged.
Lealda got into contact with Skoozy at some point after they merged crews, and he replaced Calico's damaged eye.
Lealda's death was a turning point for Calico and the crew. Teals tried to blame him for their death, but Skoozy was able to get him out of it.
===Act 1===
Calico was asked by Skoozy to crash the server's very first Party, out of petty revenge since he was explicitly not invited to come. He made his first appearance by going around the party gathering dirt on everyone present, then stirring drama up within all of the different groups there. He caused the party to become complete pandemonium before their ship finally crashed into the building, releasing Tewkid & the rest of the crew into the mayhem. They then began badgering and fucking with people in real time, before eventually heading off.
Calico and Tewkid joined the server shortly after this, though Calico hardly ever spoke in it.
===Act 2===
==Personality and Traits==
Calico is a guy that, on a general basis, takes it pretty easy. He's incredibly loyal, both to those who he fully trusts and his beliefs. He can easily enact brutality without any remorse. He's very manipulative and a talented actor. He's soooo cooooool.
==Relationships==
====[[Tewkid Bownes|Tewkid]]====
Tewkid was Calico's closest friend and confidante. He would go through thick and thin for Tewkid, sacrifice anything for him... Calico has known Tewkid longer than anyone else, and until the Fight they were best friends. After the Fight, however, Calico found out that Tewkid was The Deceiver's descendant, and did a complete 180 on him. If not for their prior relationship, Calico would have killed him where he stood, but he was unsure of what to do. Tensions rose on board until Calico finally confronted Tewkid once more about his ancestor, and implied he was going to kick Tewkid from the ship before Pyrrah attacked them and Calico was kidnapped. They have not communicated since.
====[[Skoozy Mcribb|Skoozy]]====
Skoozy has been a close friend of Calico's for a long time. Sometime between Skoozy replacing his eye while they were kids and helping him out with the teals after Lealda's death, they managed to form quite a strong bond. Calico is aware that Skoozy is not a good individual, but he isn't entirely aware of how despicable Skoozy can get.
====[[Salang Lyubov|Venus]]====
====[[Pyrrah Kappen|Pyrrah]]====
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
772cd725338c65aacbfa30c392a9180924abfe11
The Wretched
0
103
761
311
2023-10-22T07:16:51Z
Onepeachymo
2
wikitext
text/x-wiki
The Wretched is [[Poppie Toppie]]'s ancestor. Their name was Nosferat Dyrakula, and they were a mildly unhinged and very twisted revolutionary who disguised themself as members of other castes to sow distrust and hatred amongst those around them. A direct subsidiary of [[La Fortezza]].
<br />
<br />
{{Navbox Ancestors}}
[[Category:Ancestors]]
fccb33990764a1e45119125aa64bd33473a92e13
Category:Ancestors
14
438
762
2023-10-22T07:17:41Z
Onepeachymo
2
Created page with "''Main article: [[Ancestors]]''"
wikitext
text/x-wiki
''Main article: [[Ancestors]]''
2ad25eba5c9af7a6ec275c3ee2af247ed47af298
Category:Locations
14
439
764
2023-10-22T07:19:24Z
Onepeachymo
2
Created page with "''Main article: [[Locations]]''"
wikitext
text/x-wiki
''Main article: [[Locations]]''
a34987db5bbd844a45a81a27ee3a3c895cb3e39b
Main Page
0
1
765
723
2023-10-22T07:20:25Z
Onepeachymo
2
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
The '''FREE''' online encyclopedia that only '''WE''' can edit!
sup man
yakno for now let's just link our characters here until we get stuff nice and pretty
==Trolls==
[[Calico Drayke|Calico]]
[[Salang Lyubov|Venus]]
[[Anicca Shivuh|Ani]]
[[Knight Galfry|Knight]]
[[Poppie Toppie|Poppie]]
[[Skoozy Mcribb|Skoozy]]
[[Tewkid Bownes|Tewkid]]
[[Paluli Anriqi|Paluli]]
[[Guppie Suamui|Guppie]]
[[Ponzii|Ponzii]]
[[Looksi Gumshu|Looksi]]
[[Pyrrah Kappen|Pyrrah]]
[[Siette Aerien|Siette]]
[[Yupinh|Yupinh]]
==Ancestors==
[[The Fortress|Fortress]]
[[The Fortress|Wretched]]
==Other==
[[Troll|Troll]]
[[Moonbounce|Moonbounce]]
[[Era of Subjugation|Era of Subjugation]]
[[Troll Britain|Troll Britain]]
[[Ancestors]]
The [[Skoozeye]]
[[Dream Planets]]
{{Navbox Trolls}} {{Navbox Ancestors}} {{Navbox Locations}}
3f8644f87996ff57d61c97427faeb4588b15a136
The Fortress
0
24
768
317
2023-10-22T07:23:52Z
Onepeachymo
2
wikitext
text/x-wiki
{{/infobox}}
== The Fortress ==
La Fortezza-Generalè Galagaci Gravelaw - birthname Knight Avalon - is the ancestor of [[Knight Galfry]]. She is one of the primary villains of the [[Era of Subjugation]], as well as arguably one of its main causes. She speaks in heading text, in lowercase, and appends a ==|====I greatsword to the starts of her messages.
== Plot ==
===== Early Life =====
Knight Avalon was enlisted at an early age into the Alternian military and rose through the ranks over many centuries. She became a very highly-respected war hero, in the vein of Napoleon Bonaparte, not to be confused with Napoln Bonart, who does also canonically exist. She also, at some point, adopted [[Little Squire]], a young wriggler who she used as a scribe.
She faked her death shortly after Princeps [[Pomuvi]] ordered her to be investigated for revolutionary activity, using [[The Wretched]] to pin the blame on aggrieved and jealous violetbloods. This caused the rumblings of a global revolution between the land-dwelling highbloods and seadwellers, which would later burgeon into a war that began the [[Era of Subjugation]].
Later, she sent missives to some revolutionary sympathetics, such as [[The Mechanic]], [[The Headsman]], [[The Merchant]], and [[The Domestic]].
<br />
<br />
{{Navbox Ancestors}}
[[Category:Ancestors]]
89fb15d6afe430c969e8d529929d3c2b90f9d1c5
Looksi Gumshu/Infobox
0
35
772
286
2023-10-22T07:33:44Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Looksi Gumshu
|symbol = [[File:Libza.png|32px]]
|symbol2 = [[File:Mind.png|32px]]
|complex = [[File:Looksi Sprite.png]]
|caption = {{RS quote|Teal| 𝙲𝚞𝚝 𝚝𝚑𝚎 𝚜𝚑𝚒𝚝 𝙼𝚌𝚛𝚒𝚋𝚋.}}
|intro =
|title = {{Classpect|Mind|Knight}}
|age = {{Age|10.5}}
|gender = He/Him (Male)
|status = Alive
|screenname = phlegmaticInspector
|style = 𝚄𝚜𝚎𝚜 𝚝𝚢𝚙𝚎𝚠𝚛𝚒𝚝𝚎𝚛 𝚏𝚘𝚗𝚝, 𝚊𝚗𝚍 𝚊𝚕𝚜𝚘 𝚑𝚊𝚜 𝚊 𝚐𝚘𝚘𝚍 𝚜𝚎𝚗𝚜𝚎 𝚘𝚏 𝚙𝚞𝚗𝚌𝚝𝚞𝚊𝚝𝚒𝚘𝚗 𝚊𝚗𝚍 𝚐𝚛𝚊𝚖𝚖𝚊𝚛. 𝙼𝚊𝚢 𝚊𝚕𝚜𝚘 𝚜𝚙𝚎𝚊𝚔 𝚒𝚗 𝚍𝚎𝚝𝚎𝚌𝚝𝚒𝚟𝚎 𝚗𝚘𝚒𝚛𝚎 𝚍𝚒𝚊𝚕𝚘𝚐𝚞𝚎.
|specibus = Pistolkind
|modus = Scotch
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Teal|Drewcy/Arsene Ripper}}]] - [[Relation Link Page(ie: )|(EX) Matesprites/Moirails (Dead)]]
[[Character you want to Link to’s URL Name|{{RS quote|Blue|Jonesy Triton}}]] - [[Relation Link Page(ie: )|Assistant (Dead) ]]
|planet = Land of Libraries and Labyrinths
|likes = Cigars, Coffee
|dislikes = Betrayal, Skoozy
|aka = {{RS quote|Teal|Looker}} (Arsene) <br />
{{RS quote|Bronzeblood|Bossman}} ([[Ponzii]]) <br />
Detective <br />
|creator = Wowz}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
a54c5c819d4caaa19598b95581f899985e881afb
776
772
2023-10-22T07:37:52Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Looksi Gumshu
|symbol = [[File:Libza.png|32px]]
|symbol2 = [[File:Mind.png|32px]]
|complex = [[File:Looksi Sprite.png]]
|caption = {{RS quote|Teal| 𝙲𝚞𝚝 𝚝𝚑𝚎 𝚜𝚑𝚒𝚝 𝙼𝚌𝚛𝚒𝚋𝚋.}}
|intro =
|title = {{Classpect|Mind|Knight}}
|age = {{Age|10.5}}
|gender = He/Him (Male)
|status = Alive
|screenname = phlegmaticInspector
|style = 𝚄𝚜𝚎𝚜 𝚝𝚢𝚙𝚎𝚠𝚛𝚒𝚝𝚎𝚛 𝚏𝚘𝚗𝚝, 𝚊𝚗𝚍 𝚊𝚕𝚜𝚘 𝚑𝚊𝚜 𝚊 𝚐𝚘𝚘𝚍 𝚜𝚎𝚗𝚜𝚎 𝚘𝚏 𝚙𝚞𝚗𝚌𝚝𝚞𝚊𝚝𝚒𝚘𝚗 𝚊𝚗𝚍 𝚐𝚛𝚊𝚖𝚖𝚊𝚛. 𝙼𝚊𝚢 𝚊𝚕𝚜𝚘 𝚜𝚙𝚎𝚊𝚔 𝚒𝚗 𝚍𝚎𝚝𝚎𝚌𝚝𝚒𝚟𝚎 𝚗𝚘𝚒𝚛𝚎 𝚍𝚒𝚊𝚕𝚘𝚐𝚞𝚎.
|specibus = Pistolkind
|modus = Scotch
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Teal|Drewcy/Arsene Ripper}}]] - [[Relation Link Page(ie: )|(EX) Matesprites/Moirails (Dead)]]
[[Character you want to Link to’s URL Name|{{RS quote|Blue|Jonesy Triton}}]] - [[Relation Link Page(ie: )|Assistant (Dead) ]]
|planet = Land of Libraries and Labyrinths
|likes = Cigars, Coffee
|dislikes = Betrayal, Skoozy
|aka = {{RS quote|Teal|Looker}} (Arsene), <br />
{{RS quote|Bronzeblood|Bossman}} ([[Ponzii]]), <br />
Detective <br />
|creator = Wowz}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
8dd10b0492f0d50a77b9d63984b35d0015847d30
Category:Character infoboxes
14
440
773
2023-10-22T07:34:07Z
Onepeachymo
2
Created blank page
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Gibush Threwd/Infobox
0
104
774
312
2023-10-22T07:35:36Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Gibush Threwd
|symbol = [[File:Leus.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = [[File:Gibush_sprite.png]]
|caption = {{RS quote|oliveblood03| it's Gross! it's dirt! it should not be consumed!}}
|intro = 04/16/2022
|title = {{Classpect|Breath|Heir}}
|age = {{Age|13}}
|gender = He/They (Some dude)
|status = Alive
|screenname = traipsingWindjammer
|style = Capitalizes all G's
|specibus = Bladekind, Pistolkind
|modus = Pants
|relations = [[Picaroon|{{RS quote|oliveblood03|The Picaroon}}]] - [[Ancestors|Ancestor]]
|planet = Land of Enclaves and Westerlies
|likes = The taste of adventure<br />Obtuse riddles
|dislikes = Approaching obscurity
|aka = {{RS quote|bronzeblood|Sails}} ([[Ponzii]])
|creator = User:mintology|mintology}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
70f339f49982d8bba5acd9a603525adea3a4907c
Knight Galfry/infobox
0
83
775
664
2023-10-22T07:37:39Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Knight Galfry
|symbol = [[File:knightsign.png|22px]]
|symbol2 = [[File:Aspect_Hope.png|40px]]
|complex = [[File:Knight.png]]
|caption = {{RS quote|#4C00FF| '''<nowiki>c=|===></nowiki> TO ALL THINGS, AN END. AS IT WERE.'''}}
|intro = day they joined server
|title = {{Classpect|Hope|Knight}}
|age = {{Age|9}}
|gender = She/Her (Girl)
|status = Alive
|screenname = chivalrousCavalier
|style = Speaks in all caps, in an archaic lexis. Uses middle english pronouns. Appends an ascii sword to the start of her messages, but it contains a character that fucks with the code, so I can't replicate it here. Slorry.
|specibus = Shieldkind/Bladekind
|modus = Hoard
|relations = [[The Fortress|{{RS quote|#4C00FF|La Fortezza}}]] - [[Ancestors|Ancestor]]
|planet = Land of Storms and Rapture
|likes = Rainbowdrinkers.
|dislikes = Violets, on principle. Confusingly, though, by number, ''most'' of her friends are Violets.
|aka = {{RS quote|violetblood|Kishi}} ([[Mabuya Arnava|Mabuya]]),<br />
{{RS quote|bronzeblood|Nig#t}} ([[Ponzii]]),<br />
{{RS quote|violetblood|Galgie}} ([[Tewkid Bownes|Tewkid]])
|creator = [[user:Katabasis]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
a89201e696b5d239ac7e28236a70fc0d1e7a3503
Ponzii ??????/Infobox
0
109
777
352
2023-10-22T07:41:18Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Ponzii ??????
|symbol = [[File:Taurlo.png|32px]]
|symbol2 = [[File:Aspect_Heart.png|32px]]
|complex = [[File:Ponzii Sprite.png]]
|caption = {{RS quote|bronzeblood|and t#en i wink at t#e camera}}
|intro =
|title = {{Classpect|Heart|Thief}}
|age = {{Age|8.7}}
|gender = Any (Nonbinary)
|status = Alive
|screenname = acquisitiveSupreme
|style = Does not give a fuck about spelling,grammar,punctuation. also replaces 'h' with #.
|specibus = Daggerkind
|modus = Memory
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Red|Cherie}}]] - [[Relation Link Page(Matesprit)|Matesprit (Dead)]]
|planet = Land of Affection and Roses
|likes = Money, Shiny Things
|dislikes = Sand
|aka = {{RS quote|purpleblood|Ponz}} ([[Siette Aerien|Siette]]), <br />
{{RS quote|greenblood|Zii}} ([[Anicca Shivuh|Anicca]]), <br />
{{RS quote|yellowblood|Pawnshop}} ([[Skoozy Mcribb|Skoozy]]), <br />
{{RS quote|violetblood|Zizi}} ([[Mabuya Arnava|Mabuya]])
|creator = Wowz}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
8b8f16b3ad9125f278cc1d54c647ee356bc1ac24
Skoozy Mcribb/Infobox
0
230
779
448
2023-10-22T07:45:28Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Skoozy Mcribb
|symbol = [[File:Gemza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex = [[File:Skoozy.png]]
|caption = {{RS quote|goldblood| we live in an eMpire}}
|intro = 08/04/2021
|title = {{Classpect|Mind|Prince}}
|age = {{Age|10}}
|gender = He/Him (trans man)
|status = Dead
Awake on derse
|screenname = analyticalSwine
|style = capitalizes every m, and every word after a word with an m has a "Mc" in front of set word
|specibus = Cleatkind
|modus = Slidepuzzle
|relations = [[The Megamind|{{RS quote|Goldblood|The Megamind}}]] - [[Relation Link Page(Ancestor)|Ancestor]]
|planet = Land of Arches and Spotlights
|likes = Mcdonald's, Goldbloods, Calico
|dislikes = Highbloods
|aka = {{RS quote|greenblood|Piggy}} ([[Anicca Shivuh|Anicca]], Anatta)
|creator = Mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
fbbb8c603e4e97c218ca1b2bf9f8160214c0af72
Yupinh/Infobox
0
37
780
281
2023-10-22T07:54:31Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Yupinh
|symbol = [[File:ECG.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = [[File:Yupinh.png]]
|caption = {{RS quote|rustblood| my name is '''MY NAME IS''' *our name is* ''my name is'' [Call Me At] yupinh}}
|intro = August 16, 2022
|title = {{Classpect|Doom|Seer}}
|age = {{Age|10}}
|gender = She/it/any (genderqueer)
|status = Alive?
|screenname = gorgeousBelonging
|style = Somewhat scattered:
*[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
*'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
*''Italic words'' are adjectives and adverbs.
* *wordz inn ass ter isks* are misspelled.
|specibus = Planchettekind
|modus = Rotary
|relations = [[Skoozy Mcribb|{{RS quote|yellowblood|Skoozy Mcribb}}]] - "Symbiotic" Possession
|planet = Land of Calls and Whispers
|likes = Ghosts, Making art
|dislikes = Haughty highbloods
|aka = Yupi, <br />
{{RS quote|bronzeblood|Hodgepodge}} ([[Ponzii]])
|creator = [[User:Tanager|tanager]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
a49843a1de94121ae87c53b2e6ccbce658cd4ef4
803
780
2023-10-22T11:26:20Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Yupinh
|symbol = [[File:ECG.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = [[File:Yupinh.png]]
|caption = {{RS quote|rustblood| my name is '''MY NAME IS''' *our name is* ''my name is'' [Call Me At] yupinh}}
|intro = August 16, 2022
|title = {{Classpect|Doom|Seer}}
|age = {{Age|10}}
|gender = She/it/any (genderqueer)
|status = Alive?
|screenname = gorgeousBelonging
|style = Somewhat scattered:
*[Phrases In Brackets] make references to other pieces of media, random quotes, or other phrases that are otherwise from another source.
*'''BOLDED AND CAPITALIZED TEXT''' is used to express verbs.
*''Italic words'' are adjectives and adverbs.
* *wordz inn ass ter isks* are misspelled.
|specibus = Planchettekind
|modus = Rotary
|relations = [[Skoozy Mcribb|{{RS quote|yellowblood|Skoozy Mcribb}}]] - "Symbiotic" Possession
|planet = Land of Calls and Whispers
|likes = Ghosts, Making art
|dislikes = Haughty highbloods
|aka = Yupi, {{RS quote|bronzeblood|Hodgepodge}} ([[Ponzii]])
|creator = [[User:Tanager|tanager]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
31f83f894d76f373c3623cf13101a618b671ee1c
Template:Classpect
10
46
781
199
2023-10-22T07:58:57Z
Onepeachymo
2
wikitext
text/x-wiki
{{#switch: {{{1}}}
|Time={{#vardefine:aspectfg|Time symbol}}{{#vardefine:aspectbg|Time}}
|Space={{#vardefine:aspectfg|Space symbol}}{{#vardefine:aspectbg|Space}}
|Breath={{#vardefine:aspectfg|Breath symbol}}{{#vardefine:aspectbg|Breath}}
|Blood={{#vardefine:aspectfg|Blood symbol}}{{#vardefine:aspectbg|Blood}}
|Doom={{#vardefine:aspectfg|1}}{{#vardefine:aspectbg|Doom}}
|Life={{#vardefine:aspectfg|Life symbol}}{{#vardefine:aspectbg|Life}}
|Heart={{#vardefine:aspectfg|Heart symbol}}{{#vardefine:aspectbg|Heart}}
|Mind={{#vardefine:aspectfg|Mind symbol}}{{#vardefine:aspectbg|Mind}}
|Light={{#vardefine:aspectfg|Light symbol}}{{#vardefine:aspectbg|Light}}
|Void={{#vardefine:aspectfg|Void symbol}}{{#vardefine:aspectbg|Void}}
|Hope={{#vardefine:aspectfg|Hope symbol}}{{#vardefine:aspectbg|Hope}}
|Rage={{#vardefine:aspectfg|Rage symbol}}{{#vardefine:aspectbg|Rage}}
|{{#vardefine:aspectfg|White}}{{#vardefine:aspectbg|Black}}
}}
<span style="font-size:14px;font-family:Courier New, Courier, Consolas, Lucida Console; color:{{Color|{{#var:aspectfg}}}}; font-weight: bold;
text-shadow: -1px 0 0 #000,
0 1px 0 #000,
1px 0 0 #000,
0 -1px 0 #000,
-3px 0 3px {{Color|{{#var:aspectbg}}}},
0 -3px 3px {{Color|{{#var:aspectbg}}}},
3px 0 3px {{Color|{{#var:aspectbg}}}},
0 3px 3px {{Color|{{#var:aspectbg}}}};">{{#if:{{{2|}}}|{{{2}}} of |}}{{{1}}}</span>
030a0d309408e6f558d22f863e1ef8e1ab80add0
782
781
2023-10-22T07:59:34Z
Onepeachymo
2
wikitext
text/x-wiki
{{#switch: {{{1}}}
|Time={{#vardefine:aspectfg|Time symbol}}{{#vardefine:aspectbg|Time}}
|Space={{#vardefine:aspectfg|Space symbol}}{{#vardefine:aspectbg|Space}}
|Breath={{#vardefine:aspectfg|Breath symbol}}{{#vardefine:aspectbg|Breath}}
|Blood={{#vardefine:aspectfg|Blood symbol}}{{#vardefine:aspectbg|Blood}}
|Doom={{#vardefine:aspectfg|Doom}}{{#vardefine:aspectbg|Doom Symbol}}
|Life={{#vardefine:aspectfg|Life symbol}}{{#vardefine:aspectbg|Life}}
|Heart={{#vardefine:aspectfg|Heart symbol}}{{#vardefine:aspectbg|Heart}}
|Mind={{#vardefine:aspectfg|Mind symbol}}{{#vardefine:aspectbg|Mind}}
|Light={{#vardefine:aspectfg|Light symbol}}{{#vardefine:aspectbg|Light}}
|Void={{#vardefine:aspectfg|Void symbol}}{{#vardefine:aspectbg|Void}}
|Hope={{#vardefine:aspectfg|Hope symbol}}{{#vardefine:aspectbg|Hope}}
|Rage={{#vardefine:aspectfg|Rage symbol}}{{#vardefine:aspectbg|Rage}}
|{{#vardefine:aspectfg|White}}{{#vardefine:aspectbg|Black}}
}}
<span style="font-size:14px;font-family:Courier New, Courier, Consolas, Lucida Console; color:{{Color|{{#var:aspectfg}}}}; font-weight: bold;
text-shadow: -1px 0 0 #000,
0 1px 0 #000,
1px 0 0 #000,
0 -1px 0 #000,
-3px 0 3px {{Color|{{#var:aspectbg}}}},
0 -3px 3px {{Color|{{#var:aspectbg}}}},
3px 0 3px {{Color|{{#var:aspectbg}}}},
0 3px 3px {{Color|{{#var:aspectbg}}}};">{{#if:{{{2|}}}|{{{2}}} of |}}{{{1}}}</span>
c091695d36f616244384a12b34d7d54f4f156860
Guppie Suamui/Infobox
0
441
783
2023-10-22T08:02:38Z
Onepeachymo
2
Created page with "{{Character Infobox |name = Character Name |symbol = [[File:CharactersSign.png|32px]] |symbol2 = [[File:Aspect_CharactersAspect.png|32px]] |complex = [[File:CharactersSprite.png]] |caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}} |intro = day they joined server |title = {{Classpect|Aspect|Class}} |age = {{Age|CharactersAgeinSweeps}} |gender = Pronouns (Gender Identity) |status = Alive, Dead, Permadead, Ghost, Unalive, Hal..."
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:CharactersSign.png|32px]]
|symbol2 = [[File:Aspect_CharactersAspect.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Aspect|Class}}
|age = {{Age|CharactersAgeinSweeps}}
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
c628c89b8d8c04c6732592af16c8ef30580b5830
787
783
2023-10-22T08:07:39Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Guppie Suamui
|symbol = [[File:Aquicorn.png|32px]]
|symbol2 = [[File:Aspect_Rage.png|32px]]
|complex =
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Rage|Sylph}}
|age = {{Age|9}}
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
19d7ba4ef3f0c4324eb43e7ac36277e69a12b299
820
787
2023-10-22T12:09:48Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Guppie Suamui
|symbol = [[File:Aquicorn.png|32px]]
|symbol2 = [[File:Aspect_Rage.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Rage|Sylph}}
|age = {{Age|9}}
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
53654e8db7b53577579759bd26ca3c7977d63da2
Paluli Anriqi/Infobox
0
442
784
2023-10-22T08:02:58Z
Onepeachymo
2
Created page with "{{Character Infobox |name = Character Name |symbol = [[File:CharactersSign.png|32px]] |symbol2 = [[File:Aspect_CharactersAspect.png|32px]] |complex = [[File:CharactersSprite.png]] |caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}} |intro = day they joined server |title = {{Classpect|Aspect|Class}} |age = {{Age|CharactersAgeinSweeps}} |gender = Pronouns (Gender Identity) |status = Alive, Dead, Permadead, Ghost, Unalive, Hal..."
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:CharactersSign.png|32px]]
|symbol2 = [[File:Aspect_CharactersAspect.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Aspect|Class}}
|age = {{Age|CharactersAgeinSweeps}}
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
c628c89b8d8c04c6732592af16c8ef30580b5830
Tewkid Bownes/Infobox
0
443
785
2023-10-22T08:05:25Z
Onepeachymo
2
Created page with "{{Character Infobox |name = Tewkid Bownes |symbol = [[File:Aquacen.png|32px]] |symbol2 = [[File:Aspect_Blood.png|32px]] |complex = |caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}} |intro = day they joined server |title = {{Classpect|Blood|Page}} |age = {{Age|10}} |gender = Pronouns (Gender Identity) |status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to..."
wikitext
text/x-wiki
{{Character Infobox
|name = Tewkid Bownes
|symbol = [[File:Aquacen.png|32px]]
|symbol2 = [[File:Aspect_Blood.png|32px]]
|complex =
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Blood|Page}}
|age = {{Age|10}}
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
83a99d060abfab90c5393d47ccc177b667f4c6bf
786
785
2023-10-22T08:06:13Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Tewkid Bownes
|symbol = [[File:Aquacen.png|23px]]
|symbol2 = [[File:Aspect_Blood.png|32px]]
|complex =
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Blood|Page}}
|age = {{Age|10}}
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
85957fc8d2b7b6aac12b86bde6076f121cdf7f97
819
786
2023-10-22T12:09:45Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Tewkid Bownes
|symbol = [[File:Aquacen.png|23px]]
|symbol2 = [[File:Aspect_Blood.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Blood|Page}}
|age = {{Age|10}}
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
0f362bf5540bb4fca204a2f297b322bdfd21f774
File:Salang Lyubov.png
6
444
788
2023-10-22T08:15:56Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Salang Lyubov2.png
6
445
789
2023-10-22T08:17:28Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Anicca Shivuh.png
6
446
790
2023-10-22T08:18:09Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Skeletal Prospit Anicca.png
6
447
791
2023-10-22T08:18:57Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Main Page
0
1
792
765
2023-10-22T10:08:31Z
Onepeachymo
2
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
The '''FREE''' online encyclopedia that only '''WE''' can edit!
sup man
yakno for now let's just link our characters here until we get stuff nice and pretty
==Trolls==
[[Calico Drayke|Calico]]
[[Salang Lyubov|Venus]]
[[Anicca Shivuh|Ani]]
[[Knight Galfry|Knight]]
[[Poppie Toppie|Poppie]]
[[Skoozy Mcribb|Skoozy]]
[[Tewkid Bownes|Tewkid]]
[[Paluli Anriqi|Paluli]]
[[Guppie Suamui|Guppie]]
[[Ponzii|Ponzii]]
[[Looksi Gumshu|Looksi]]
[[Pyrrah Kappen|Pyrrah]]
[[Siette Aerien|Siette]]
[[Yupinh|Yupinh]]
==Ancestors==
[[The Fortress|Fortress]]
[[The Fortress|Wretched]]
==Other==
[[Troll|Troll]]
[[Moonbounce|Moonbounce]]
[[Era of Subjugation|Era of Subjugation]]
[[Troll Britain|Troll Britain]]
[[Ancestors]]
The [[Skoozeye]]
[[Dream Planets]]
{{Navbox Trolls}} {{Navbox Ancestors}}
b9b03565c95330ed31ff56ce92d817d06283a001
818
792
2023-10-22T12:05:07Z
Onepeachymo
2
wikitext
text/x-wiki
__NOTOC__
== Welcome to {{SITENAME}}! ==
The '''FREE''' online encyclopedia that only '''WE''' can edit!
sup man
others can chill here until we get more organized but now we have the nav boxes for characters
==Other==
[[Troll|Troll]]
[[Moonbounce|Moonbounce]]
[[Era of Subjugation|Era of Subjugation]]
[[Troll Britain|Troll Britain]]
[[Ancestors]]
The [[Skoozeye]]
[[Dream Planets]]
{{Navbox Trolls}} {{Navbox Ancestors}}
b824f64ab4248f8739941f592ec5e943c6c707c3
Template:Navbox Trolls
10
72
793
766
2023-10-22T10:54:08Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
<td style="width:25%;"><big>[[File:Taurmini.png|16px|link=Awoole Fenrir]] {{clink|Awoole Fenrir|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
<td style="width:25%;"><big>[[File:Virsci.png|16px|link=Siniix Auctor]] {{clink|Siniix Auctor|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Libza.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Scorza.png|16px|link=Anyaru Servus]] {{clink|Anyaru Servus|blueblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|12px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|15px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Piga.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Lemino.png|16px|link=Skeletani]] {{clink|Skeletani|greenblood}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
0ec4dc0b28408524bb7bc4dedb1129bdd2d22787
795
793
2023-10-22T10:57:03Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
<td style="width:25%;"><big>[[File:Taurmini.png|16px|link=Awoole Fenrir]] {{clink|Awoole Fenrir|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
<td style="width:25%;"><big>[[File:Leus.png|16px|link=Gibush Threwd]] {{clink|Gibush Threwd|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
<td style="width:25%;"><big>[[File:Virsci.png|16px|link=Siniix Auctor]] {{clink|Siniix Auctor|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Libza.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Scorza.png|16px|link=Anyaru Servus]] {{clink|Anyaru Servus|blueblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|12px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|15px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Piga.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Lemino.png|16px|link=Skeletani]] {{clink|Skeletani|greenblood}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
4f869c4d25d84324e80c670e046e5d72075363ef
Gibush Threwd
0
448
794
2023-10-22T10:55:59Z
Onepeachymo
2
Created page with "{{/Infobox}} ==Etymology== ==Biography== ==Personality and Traits== ==Relationships== ==Trivia== ==Gallery== <br /> <br /> {{Navbox Trolls}} [[Category:Trolls]]"
wikitext
text/x-wiki
{{/Infobox}}
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
94d8ffdfb8f09dbce00bdb925aa44b6ea5216689
Pyrrah Kappen/Infobox
0
449
796
2023-10-22T11:11:20Z
Onepeachymo
2
Created page with "{{Character Infobox |name = Character Name |symbol = [[File:Aquiun.png|32px]] |symbol2 = [[File:Aspect_Breath.png|32px]] |complex = [[File:CharactersSprite.png]] |caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}} |intro = day they joined server |title = {{Classpect|Aspect|Class}} |age = {{Age|9}} |gender = Pronouns (Gender Identity) |status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple on..."
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Aspect|Class}}
|age = {{Age|9}}
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
157685be0576606ab1e3922fb6b68c17d9b1f3f7
File:CharactersSprite.png
6
450
797
2023-10-22T11:19:13Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Anicca Shivuh/Infobox
0
451
798
2023-10-22T11:21:30Z
Onepeachymo
2
Created page with "{{Character Infobox |name = Anicca Shivuh |symbol = [[File:Lemino.png|32px]] |symbol2 = [[File:Aspect_Doom.png|32px]] |complex = [[File:Anicca_Shivuh.png]] |caption = {{RS quote|greenblood|HEEEEEEEELLLLLLLLLPPPPPPPPPPPP}} |intro = Created the Server |title = {{Classpect|Doom|Mage}} |age = {{Age|10}} |gender = She/They (nb girl) <br /> NB Lesbian |status = Alive |screenname = Moonbounce Username |style = always uses lowercase, hardly ever uses punctuation, doubles any use..."
wikitext
text/x-wiki
{{Character Infobox
|name = Anicca Shivuh
|symbol = [[File:Lemino.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = [[File:Anicca_Shivuh.png]]
|caption = {{RS quote|greenblood|HEEEEEEEELLLLLLLLLPPPPPPPPPPPP}}
|intro = Created the Server
|title = {{Classpect|Doom|Mage}}
|age = {{Age|10}}
|gender = She/They (nb girl) <br />
NB Lesbian
|status = Alive
|screenname = Moonbounce Username
|style = always uses lowercase, hardly ever uses punctuation, doubles any use of "t"'s, except for on the word "but"
|specibus = 1/2bttlekind
|modus = Rorschach
|relations = [[Anatta Tereme|{{RS quote|jadeblood|Anatta}}]] - [[Matesprites|Matesprit/]][[Moirails|Moirail]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Ani,
{{RS quote|bronzeblood|Poodle}} ([[Ponzii]])
|creator = [[User:Onepeachymo|onepeachymo]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
ce081b2714c87f58070f704ebce7e1b621cd90be
Anicca Shivuh
0
8
799
246
2023-10-22T11:22:19Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
94d8ffdfb8f09dbce00bdb925aa44b6ea5216689
Looksi Gumshu/Infobox
0
35
800
776
2023-10-22T11:24:10Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Looksi Gumshu
|symbol = [[File:Libza.png|32px]]
|symbol2 = [[File:Mind.png|32px]]
|complex = [[File:Looksi Sprite.png]]
|caption = {{RS quote|Teal| 𝙲𝚞𝚝 𝚝𝚑𝚎 𝚜𝚑𝚒𝚝 𝙼𝚌𝚛𝚒𝚋𝚋.}}
|intro =
|title = {{Classpect|Mind|Knight}}
|age = {{Age|10.5}}
|gender = He/Him (Male)
|status = Alive
|screenname = phlegmaticInspector
|style = 𝚄𝚜𝚎𝚜 𝚝𝚢𝚙𝚎𝚠𝚛𝚒𝚝𝚎𝚛 𝚏𝚘𝚗𝚝, 𝚊𝚗𝚍 𝚊𝚕𝚜𝚘 𝚑𝚊𝚜 𝚊 𝚐𝚘𝚘𝚍 𝚜𝚎𝚗𝚜𝚎 𝚘𝚏 𝚙𝚞𝚗𝚌𝚝𝚞𝚊𝚝𝚒𝚘𝚗 𝚊𝚗𝚍 𝚐𝚛𝚊𝚖𝚖𝚊𝚛. 𝙼𝚊𝚢 𝚊𝚕𝚜𝚘 𝚜𝚙𝚎𝚊𝚔 𝚒𝚗 𝚍𝚎𝚝𝚎𝚌𝚝𝚒𝚟𝚎 𝚗𝚘𝚒𝚛𝚎 𝚍𝚒𝚊𝚕𝚘𝚐𝚞𝚎.
|specibus = Pistolkind
|modus = Scotch
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Teal|Drewcy/Arsene Ripper}}]] - [[Relation Link Page(ie: )|(EX) Matesprites/Moirails (Dead)]]
[[Character you want to Link to’s URL Name|{{RS quote|Blue|Jonesy Triton}}]] - [[Relation Link Page(ie: )|Assistant (Dead) ]]
|planet = Land of Libraries and Labyrinths
|likes = Cigars, Coffee
|dislikes = Betrayal, Skoozy
|aka = Detective, {{RS quote|Teal|Looker}} (Arsene), <br />
{{RS quote|Bronzeblood|Bossman}} ([[Ponzii]]) <br />
|creator = Wowz}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
854cb17adfcef2141869aa57fe34f01524dd6827
Siette Aerien/Infobox
0
106
801
778
2023-10-22T11:25:25Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Siette Aerien
|symbol = [[File:Capricorn.png|32px]]
|symbol2 = [[File:Aspect_Rage.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|purpleblood|5quirm.}}
|intro = 8/20/2021
|title = {{Classpect|Rage|Witch}}
|age = {{Age|9.5}}
|gender = She/They (Nonbinary)
|status = Alive </br>
Traveling </br>
On a killing spree </br>
|screenname = balefulAcrobat
|style = Replaces "E," with "3," and "S," with "5." Primarily types in lowercase.
|specibus = Axekind, Whipkind
|modus = Modus
|relations = [[Mabuya Arnava|{{RS quote|violetblood|Mabuya Arnava}}]] - [[Matesprites|Matesprit]]
|planet = Land of Mirage and Storm
|likes = Faygo, Murder, Silk Dancing
|dislikes = [[Guppie Suamui|{{RS quote|violetblood|Guppie Suamui}}]], [[Awoole Fenrir|{{RS quote|bronzeblood|Awoole Fenrir}}]]
|aka = {{RS quote|violetblood|Sisi, Strawberry}} ([[Mabuya Arnava|Mabuya]])
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
3da327f9ab8a13cb15cfcf9d53c9c9b768823e31
Skoozy Mcribb/Infobox
0
230
802
779
2023-10-22T11:25:53Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Skoozy Mcribb
|symbol = [[File:Gemza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex = [[File:Skoozy.png]]
|caption = {{RS quote|goldblood| we live in an eMpire}}
|intro = 08/04/2021
|title = {{Classpect|Mind|Prince}}
|age = {{Age|10}}
|gender = He/Him (trans man)
|status = Dead
Awake on derse
|screenname = analyticalSwine
|style = capitalizes every m, and every word after a word with an m has a "Mc" in front of set word
|specibus = Cleatkind
|modus = Slidepuzzle
|relations = [[The Megamind|{{RS quote|yellowblood|The Megamind}}]] - [[Relation Link Page(Ancestor)|Ancestor]]
|planet = Land of Arches and Spotlights
|likes = Mcdonald's, Goldbloods, Calico
|dislikes = Highbloods
|aka = {{RS quote|greenblood|Piggy}} ([[Anicca Shivuh|Anicca]], Anatta)
|creator = Mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
9f73c94e7387106d1b2f3ad1264e4ec5902a6928
Salang Lyubov/Infobox
0
452
804
2023-10-22T11:30:13Z
Onepeachymo
2
Created page with "{{Character Infobox |name = Salang Lyubov |symbol = [[File:Virlo.png|32px]] |symbol2 = [[File:Aspect_Heart.png|32px]] |complex = [[File:Salang_Lyubov2.png]] |caption = {{RS quote|yellowblood| < TAKE THE GOGDA'''M'''N McDOWN!!!!!!!! >}} |intro = 8/11/2023 |title = {{Classpect|Seer|Heart}} |age = {{Age|8.5}} |gender = He/They (Demiboy) <br /> Bisexual |status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to u..."
wikitext
text/x-wiki
{{Character Infobox
|name = Salang Lyubov
|symbol = [[File:Virlo.png|32px]]
|symbol2 = [[File:Aspect_Heart.png|32px]]
|complex = [[File:Salang_Lyubov2.png]]
|caption = {{RS quote|yellowblood| < TAKE THE GOGDA'''M'''N McDOWN!!!!!!!! >}}
|intro = 8/11/2023
|title = {{Classpect|Seer|Heart}}
|age = {{Age|8.5}}
|gender = He/They (Demiboy) <br />
Bisexual
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
9842877348824f7060220a896efefc44bd233255
805
804
2023-10-22T11:30:32Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Salang Lyubov
|symbol = [[File:Virlo.png|32px]]
|symbol2 = [[File:Aspect_Heart.png|32px]]
|complex = [[File:Salang_Lyubov2.png]]
|caption = {{RS quote|yellowblood| < TAKE THE GOGDA'''M'''N McDOWN!!!!!!!! >}}
|intro = 8/11/2023
|title = {{Classpect|Heart|Seer}}
|age = {{Age|8.5}}
|gender = He/They (Demiboy) <br />
Bisexual
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
f17c942b394d8868325a582e1bbd13c970c7374f
Salang Lyubov
0
7
806
245
2023-10-22T11:31:25Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
94d8ffdfb8f09dbce00bdb925aa44b6ea5216689
Siniix Auctor/Infobox
0
453
807
2023-10-22T11:33:47Z
Onepeachymo
2
Created page with "{{Character Infobox |name = Character Name |symbol = [[File:Virsci.png|32px]] |symbol2 = [[File:Aspect_Life.png|32px]] |complex = [[File:CharactersSprite.png]] |caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}} |intro = day they joined server |title = {{Classpect|Aspect|Class}} |age = {{Age|8}} ? |gender = Pronouns (Gender Identity) |status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple on..."
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:Virsci.png|32px]]
|symbol2 = [[File:Aspect_Life.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Aspect|Class}}
|age = {{Age|8}} ?
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
3ec94f3c4a34380dea35ebec2ea851e9693c5ac2
808
807
2023-10-22T11:34:21Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:Virsci.png|32px]]
|symbol2 = [[File:Aspect_Life.png|25px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Aspect|Class}}
|age = {{Age|8}} ?
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
df9b9487d31571b7b3edcbd1aad942189bdd0b36
Siniix Auctor
0
436
809
747
2023-10-22T11:35:09Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Siniix Auctor}}
'''Siniix Auctor''' also known by her [[Moonbounce]] handle, {{RS quote|jadeblood|temporalDramatist}}. Her sign is [http://hs.hiveswap.com/ezodiac/truesign.php?TS=Virsci Virsci], and a '''Prospit''' dreamer. She is a '''Witch of Life'''. Her actual age is unknown, as is her birth date. Her ancestor is unknown. Her lusus was a deer, and has been deceased for a very long time. She never got to say goodbye.
Siniix joined the chatroom on 1/17/2023, after the message of her joining the chatroom appeared on her typewriter. Her typewriter stopped transmitting messages to the chatroom after she set up [[Moonbounce]] on her palmhusk.
==Etymology==
"Siniix," has no discernible meaning. "Auctor," is defined as an "[https://en.wiktionary.org/wiki/auctor obsolete form of author]." The first word of her chat handle, temporal, is presumably in reference to her historical plays and musicals. Dramatist is similarly related to her profession.
==Biography==
===Early Life===
Siniix has no record of any presence on Alternia before 2.5 sweeps before the present day, and when questioned about this, is incredibly cagey about the topic. Siniix is a popular playwright, and her plays are typically based off of records of ancestors. Siniix has a personal collection of ancient scrolls, all of which are in shockingly pristine condition. Siniix' canonical plays are usually trollified versions of popular musicals and plays in real life. Some examples are Phantom of the Opera, and Ride the Cyclone. Siniix lives close to New Troll City for work purposes, but lives far enough away that she can live a secluded life in a small cottage.
==Personality and Traits==
Siniix is very kind towards others, and very humble in regards to her plays' popularity. She generally likes most chat members, even if they've been openly hostile towards other chat members. She has a strong interest in literature and historical records. She has mentioned that she has a contact at the library in New Troll City who would lets her into the historical section with the "good stuff," implied to be restricted records. She enjoys baking, and making tea.
==Relationships==
* [[Knight_Galfry|Knight Galfry]] is a pen-pal of Siniix. Siniix suggested that she and Knight become pen-pals primarily because she had already developed a red crush on Knight. This crush continues to grow in intensity as time goes on. Siniix loves how chivalrous Knight is. Siniix was drawn to Knight initially because of her being a swordswoman, something Siniix has a particular liking for. Siniix also likes Knight's tone of text, which she usually interprets as commanding, but sweet.
* [[Looksi_Gumshu|Looksi Gumshu]] is another red crush of Siniix. While not as intense as the one she has for Knight, she admires his profession, and finds his manner of speech to be attractive.
* [[Anyaru_Servus|Anyaru Servus]] is a friend of Siniix. She and Annie share a love for literature and tea. While they aren't close, it's implied that the two have had tea together on prior occasions.
==Trivia==
==Gallery==
9ad9a25c2c179e962695273e65830faca93233b3
816
809
2023-10-22T11:40:12Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Siniix Auctor}}
'''Siniix Auctor''' also known by her [[Moonbounce]] handle, {{RS quote|jadeblood|temporalDramatist}}. Her sign is [http://hs.hiveswap.com/ezodiac/truesign.php?TS=Virsci Virsci], and a '''Prospit''' dreamer. She is a '''Witch of Life'''. Her actual age is unknown, as is her birth date. Her ancestor is unknown. Her lusus was a deer, and has been deceased for a very long time. She never got to say goodbye.
Siniix joined the chatroom on 1/17/2023, after the message of her joining the chatroom appeared on her typewriter. Her typewriter stopped transmitting messages to the chatroom after she set up [[Moonbounce]] on her palmhusk.
==Etymology==
"Siniix," has no discernible meaning. "Auctor," is defined as an "[https://en.wiktionary.org/wiki/auctor obsolete form of author]." The first word of her chat handle, temporal, is presumably in reference to her historical plays and musicals. Dramatist is similarly related to her profession.
==Biography==
===Early Life===
Siniix has no record of any presence on Alternia before 2.5 sweeps before the present day, and when questioned about this, is incredibly cagey about the topic. Siniix is a popular playwright, and her plays are typically based off of records of ancestors. Siniix has a personal collection of ancient scrolls, all of which are in shockingly pristine condition. Siniix' canonical plays are usually trollified versions of popular musicals and plays in real life. Some examples are Phantom of the Opera, and Ride the Cyclone. Siniix lives close to New Troll City for work purposes, but lives far enough away that she can live a secluded life in a small cottage.
==Personality and Traits==
Siniix is very kind towards others, and very humble in regards to her plays' popularity. She generally likes most chat members, even if they've been openly hostile towards other chat members. She has a strong interest in literature and historical records. She has mentioned that she has a contact at the library in New Troll City who would lets her into the historical section with the "good stuff," implied to be restricted records. She enjoys baking, and making tea.
==Relationships==
* [[Knight_Galfry|Knight Galfry]] is a pen-pal of Siniix. Siniix suggested that she and Knight become pen-pals primarily because she had already developed a red crush on Knight. This crush continues to grow in intensity as time goes on. Siniix loves how chivalrous Knight is. Siniix was drawn to Knight initially because of her being a swordswoman, something Siniix has a particular liking for. Siniix also likes Knight's tone of text, which she usually interprets as commanding, but sweet.
* [[Looksi_Gumshu|Looksi Gumshu]] is another red crush of Siniix. While not as intense as the one she has for Knight, she admires his profession, and finds his manner of speech to be attractive.
* [[Anyaru_Servus|Anyaru Servus]] is a friend of Siniix. She and Annie share a love for literature and tea. While they aren't close, it's implied that the two have had tea together on prior occasions.
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
d0cc48fa583bab8ba0ca13ea49a3458a34400c8f
Awoole Fenrir
0
434
810
737
2023-10-22T11:37:17Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Awoole Fenrir}}
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
feab88677db37ed16e33dddf9a1984390da52229
815
810
2023-10-22T11:39:51Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Awoole Fenrir}}
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
087868e6f0e06a327116ae9db06335a611be2cc1
Anyaru Servus
0
435
811
738
2023-10-22T11:37:20Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Anyaru Servus}}
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
4a15e38ce770c826788507fec5c1f7f19739126b
814
811
2023-10-22T11:39:47Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Anyaru Servus}}
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
c49fc849fae79734339917c54b792d95ade0bf32
Anyaru Servus/Infobox
0
454
812
2023-10-22T11:38:21Z
Onepeachymo
2
Created page with "{{Character Infobox |name = Character Name |symbol = [[File:Scorza.png|32px]] |symbol2 = [[File:Aspect_Mind.png|32px]] |complex = [[File:CharactersSprite.png]] |caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}} |intro = day they joined server |title = {{Classpect|Aspect|Class}} |age = {{Age|9}} |gender = Pronouns (Gender Identity) |status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one..."
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:Scorza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Aspect|Class}}
|age = {{Age|9}}
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
5ae8c4d3bda89cdcf6bd863251b16dc8c58a11ed
Awoole Fenrir/Infobox
0
455
813
2023-10-22T11:39:02Z
Onepeachymo
2
Created page with "{{Character Infobox |name = Character Name |symbol = [[File:Taurmini.png|32px]] |symbol2 = [[File:Aspect_Doom.png|32px]] |complex = [[File:CharactersSprite.png]] |caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}} |intro = day they joined server |title = {{Classpect|Aspect|Class}} |age = {{Age|8}} |gender = Pronouns (Gender Identity) |status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple on..."
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:Taurmini.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Aspect|Class}}
|age = {{Age|8}}
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
51ba539c7a4fccc32b52bb3012b32db5fc64c78e
Template:Navbox Ancestors
10
437
817
771
2023-10-22T11:43:50Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Ancestors|white|Ancestors}}
|collapsible=yes
|compact=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=The Tinkerer]] {{clink|The Tinkerer|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=The Merchant]] {{clink|The Merchant|bronzeblood}}</big></td>
<td style="width:25%;"><big>[[File:Taurmini.png|16px|link=The Mechanic]] {{clink|The Mechanic|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=The Megamind]] {{clink|The Megamind|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=The Immortal]] {{clink|The Immortal|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=The Romantic]] {{clink|The Romantic|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Libza.png|16px|link=The Sherlock]] {{clink|The Sherlock|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Scorza.png|16px|link=The Domestic]] {{clink|The Domestic|blueblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Fortezzasign.png|22px|link=The Fortress]] {{clink|The Fortress|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=The Wretched]] {{clink|The Wretched|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=The Headsman]] {{clink|The Headsman|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=The Marauder]]{{clink|The Marauder|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|12px|link=The Deceiver]]{{clink|The Deceiver|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|15px|link=The Barbaric]]{{clink|The Barbaric|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=The Countess]]{{clink|The Countess|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Pinius.png|16px|link=The Princeps]]{{clink|The Princeps|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Ancestors
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
f82ed54e6ae55f60fd191728bac663f3fdaca674
Tewkid Bownes
0
15
821
621
2023-10-22T12:13:49Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Tewkid Bownes''', known also by his [[Moonbounce]] tag, {{RS quote|violetblood|domesticRover}}, is one of the major pirate characters of Re:Symphony. Tewkid is the second in command on the ship ''Lealda's Dream'', he is directly under [[Calico Drayke|Calico]] on the ships hierarchy. He joined on 9/22/2021, immediately after Calico.
==Etymology==
Tewkid's name comes from a handful of sources, "tew" coming from English privateer-turned-pirate "[https://en.wikipedia.org/wiki/Thomas_Tew Thomas Tew]" and "kid" coming from the Scottish privateer "[https://en.wikipedia.org/wiki/William_Kidd William Kidd]". "bownes" being a play on the spelling of "bones", as bone imagery and symbols are often tied with pirates and the pirate lifestyle. In his Moonbounce tag, domestic is in reference to Tewkid's various interests in typically domestic hobbies an activities such as cooking, sewing and embroidery. However domestic is also in reference to someone who stays put and does not wander, which is in direct contradiction to the second part of his tag which is Rover, which is someone who wanders and does not stay in one place. Rover is in reference to his life as a pirate and traveling across the seas, but the inherent contradiction of his tag can be interpreted as representative of the many conflicts he experiences both internally and externally, as he finds himself struggling to understand his place.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<gallery>
File:Tewkid1.gif|he's talking :)
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
7b910bd5c746635b5c2ef05b1255d3f09330de5a
Player Lands
0
456
822
2023-10-22T12:18:54Z
Onepeachymo
2
Created page with "jus fockin realized we dun have planets on this bitch were just going to have Lands in the purest sense of the word Land. anyone who wants to feel free to make up a big ol table of lands based. i think we have way too many characters for just one giant ass table to look good, so maybe split it up by aspects? thats what ill do i think if no1 else wants to take up dis task"
wikitext
text/x-wiki
jus fockin realized we dun have planets on this bitch were just going to have Lands in the purest sense of the word Land.
anyone who wants to feel free to make up a big ol table of lands based. i think we have way too many characters for just one giant ass table to look good, so maybe split it up by aspects? thats what ill do i think if no1 else wants to take up dis task
3771718b65cdf7b5edc75d4555f1f744458007ea
Template:Character Infobox
10
40
823
214
2023-10-22T12:20:28Z
Onepeachymo
2
wikitext
text/x-wiki
{{infobox
|width = {{{width|300}}}
|scratch = {{{scratch|}}}
|Box title = {{{name|{{BASEPAGENAME}}}}}
|icon left = {{ #if: {{{symbol|}}}|{{{symbol}}} }}
|icon right = {{ #if: {{{symbol2|}}}|{{{symbol2}}} }}
|icon left pos left = {{{symbol pos left|-6}}}
|icon left pos top = {{{symbol pos top|-6}}}
|icon right pos right = {{{symbol2 pos right|-6}}}
|icon right pos top = {{{symbol2 pos top|-6}}}
|image = {{ #if:{{{image|}}} | File:{{{image}}} | {{ #if:{{{complex|}}} | | File:NoImage.gif }} }}
|image complex = {{ #if:{{{complex|}}}|{{nowrap|{{{complex}}}}} }}
|imagewidth = {{{imagewidth|250}}}
|caption = {{{caption|}}}
|bg-color = {{{bg-color|#E0E0E0}}}
|header =
|label1 = {{ #if: {{{aka|}}}| AKA }}
|info1 = {{{aka}}}
|label2 = {{ #if: {{{title|}}}|[[Mythological Roles|Title]] }}{{ #if: {{{aspect|}}}|[[Aspect|Emanant Aspect]] }}
|info2 = {{ #if: {{{title|}}}|{{{title}}} }}{{ #if: {{{aspect|}}}|{{{aspect}}} }}
|label3 = {{ #if: {{{age|}}}|<abbr title="As of current events of Vast Error.">Age</abbr>|}}
|info3 = {{{age}}}
|label4 = {{#if:{{{gender|{{{genid|}}}}}}|Gender Identity}}
|info4 = {{{gender|{{{genid}}}}}}
|label5 = {{ #if: {{{status|}}}|Status }}
|info5 = {{{status}}}
|label6 = {{ #if: {{{screenname|}}}| [[Moonbounce|Screen Name]] }}
|info6 = {{{screenname}}}
|label7 = {{ #if: {{{style|}}}|[[Typing Quirk|Typing Style]] }}
|info7 = {{{style}}}
|label8 = {{ #if: {{{specibus|}}}|[[Strife Deck|Strife Specibi]] }}
|info8 = {{{specibus}}}
|label9 = {{ #if: {{{modus|}}}|[[Sylladex#Fetch Modi|Fetch Modus]] }}
|info9 = {{{modus}}}
|label10 = {{ #if: {{{relations|}}}|Relations }}
|info10 = {{{relations}}}
|label11 = {{ #if: {{{home|}}}|Live(s) in }}
|info11 = {{{home}}}
|label12 = {{ #if: {{{planet|}}}|[[Player Lands|Land]] }}
|info12 = {{{planet}}}
|label13 = {{ #if: {{{likes|}}}| Likes }}
|info13 = {{{likes}}}
|label14 = {{ #if: {{{aka|}}}| Dislikes }}
|info14 = {{{dislikes}}}
|label15 = {{ #if: {{{creator|}}}| Creator }}
|info15 = {{{creator}}}
|label16 =
|info16 = {{navbar|{{{name|{{BASEPAGENAME}}}}}/Infobox|float=right}}
|footer title = {{ #if: {{{skorpelogs|}}}|Chatlogs}}
|footer content = {{ #if: {{{skorpelogs|}}}|{{{skorpelogs}}}}}
}}<noinclude>
{{documentation}}
[[Category:Infobox templates]]
</noinclude>
2f9539bf48d000a4b8eda33260bb1998d7a1f2f2
827
823
2023-10-22T12:27:29Z
Onepeachymo
2
wikitext
text/x-wiki
{{infobox
|width = {{{width|300}}}
|scratch = {{{scratch|}}}
|Box title = {{{name|{{BASEPAGENAME}}}}}
|icon left = {{ #if: {{{symbol|}}}|{{{symbol}}} }}
|icon right = {{ #if: {{{symbol2|}}}|{{{symbol2}}} }}
|icon left pos left = {{{symbol pos left|-6}}}
|icon left pos top = {{{symbol pos top|-6}}}
|icon right pos right = {{{symbol2 pos right|-6}}}
|icon right pos top = {{{symbol2 pos top|-6}}}
|image = {{ #if:{{{image|}}} | File:{{{image}}} | {{ #if:{{{complex|}}} | | File:NoImage.gif }} }}
|image complex = {{ #if:{{{complex|}}}|{{nowrap|{{{complex}}}}} }}
|imagewidth = {{{imagewidth|250}}}
|caption = {{{caption|}}}
|bg-color = {{{bg-color|#E0E0E0}}}
|header =
|label1 = {{ #if: {{{aka|}}}| AKA }}
|info1 = {{{aka}}}
|label2 = {{ #if: {{{title|}}}|[[Mythological Roles|Title]] }}{{ #if: {{{aspect|}}}|[[Aspect|Emanant Aspect]] }}
|info2 = {{ #if: {{{title|}}}|{{{title}}} }}{{ #if: {{{aspect|}}}|{{{aspect}}} }}
|label3 = {{ #if: {{{age|}}}|<abbr title="As of current events of Vast Error.">Age</abbr>|}}
|info3 = {{{age}}}
|label4 = {{#if:{{{gender|{{{genid|}}}}}}|Gender Identity}}
|info4 = {{{gender|{{{genid}}}}}}
|label5 = {{ #if: {{{status|}}}|Status }}
|info5 = {{{status}}}
|label6 = {{ #if: {{{screenname|}}}| [[Moonbounce|Screen Name]] }}
|info6 = {{{screenname}}}
|label7 = {{ #if: {{{style|}}}|[[Typing Quirk|Typing Style]] }}
|info7 = {{{style}}}
|label8 = {{ #if: {{{specibus|}}}|[[Strife Specibus|Strife Specibi]] }}
|info8 = {{{specibus}}}
|label9 = {{ #if: {{{modus|}}}|[[Sylladex#Fetch Modi|Fetch Modus]] }}
|info9 = {{{modus}}}
|label10 = {{ #if: {{{relations|}}}|Relations }}
|info10 = {{{relations}}}
|label11 = {{ #if: {{{home|}}}|Live(s) in }}
|info11 = {{{home}}}
|label12 = {{ #if: {{{planet|}}}|[[Player Lands|Land]] }}
|info12 = {{{planet}}}
|label13 = {{ #if: {{{likes|}}}| Likes }}
|info13 = {{{likes}}}
|label14 = {{ #if: {{{aka|}}}| Dislikes }}
|info14 = {{{dislikes}}}
|label15 = {{ #if: {{{creator|}}}| Creator }}
|info15 = {{{creator}}}
|label16 =
|info16 = {{navbar|{{{name|{{BASEPAGENAME}}}}}/Infobox|float=right}}
|footer title = {{ #if: {{{skorpelogs|}}}|Chatlogs}}
|footer content = {{ #if: {{{skorpelogs|}}}|{{{skorpelogs}}}}}
}}<noinclude>
{{documentation}}
[[Category:Infobox templates]]
</noinclude>
8e54d70089b8333fecc4360aba921ce5503bf548
Sylladex
0
457
824
2023-10-22T12:25:29Z
Onepeachymo
2
Created page with "well we need this shite for tha infoboxes so ya betchur ass im making it how much will our asses steal from the ve wiki? we just don't know ==Fetch Modi== its how we store our shit yo. anyone who wants to actually describe their fetch modus can do so here it will get pretty eventually"
wikitext
text/x-wiki
well we need this shite for tha infoboxes so ya betchur ass im making it how much will our asses steal from the ve wiki? we just don't know
==Fetch Modi==
its how we store our shit yo. anyone who wants to actually describe their fetch modus can do so here it will get pretty eventually
c45f488cf3f82b2bdaf81fd31d747e0e037bb148
Strife Specibus
0
458
825
2023-10-22T12:26:29Z
Onepeachymo
2
Created page with "RRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRAGH hi guys :)"
wikitext
text/x-wiki
RRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRAGH
hi guys
:)
d6ec4d008e6e7e78490527110d78adea1bfffb58
826
825
2023-10-22T12:26:44Z
Onepeachymo
2
wikitext
text/x-wiki
RRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRRAGH
hi guys
,':)
dfd84c10d888e9596642d02aa76081e43496b842
Mythological Roles
0
459
828
2023-10-22T12:28:35Z
Onepeachymo
2
Created page with "yah. well have a nice big ol list of all the characters classpects okies? won't it be cool? just imagine. imagine it now, ogey?"
wikitext
text/x-wiki
yah. well have a nice big ol list of all the characters classpects okies? won't it be cool? just imagine. imagine it now, ogey?
5cf989b62053d2f7d5975eff3ffbd01b6812d53a
User:Onepeachymo
2
66
829
220
2023-10-22T12:47:40Z
Onepeachymo
2
wikitext
text/x-wiki
onepeachymo is a really cool guy.
theyve created many creatures, such as :
[[Calico Drayke|cally]]
[[Anicca Shivuh|ani]]
[[Salang Lyubov|venus]]
?????? (ghostLight)
and a whole bunch of pirates
347e7879e040ba474dc4670ac50be0b9b3fe58ea
Template:Navbox Trolls
10
72
830
795
2023-10-22T12:57:30Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
<td style="width:25%;"><big>[[File:Taurmini.png|16px|link=Awoole Fenrir]] {{clink|Awoole Fenrir|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
<td style="width:25%;"><big>[[File:Leus.png|16px|link=Gibush Threwd]] {{clink|Gibush Threwd|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
<td style="width:25%;"><big>[[File:Virsci.png|16px|link=Siniix Auctor]] {{clink|Siniix Auctor|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Libza.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Scorza.png|16px|link=Anyaru Servus]] {{clink|Anyaru Servus|blueblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|12px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|15px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Piga.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] [[Anicca Shivuh|{{RS quote|black|Skeletani}}]]{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
b27ca2a06ff14d926e229bb1b354911c5a496460
831
830
2023-10-22T12:58:00Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
<td style="width:25%;"><big>[[File:Taurmini.png|16px|link=Awoole Fenrir]] {{clink|Awoole Fenrir|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
<td style="width:25%;"><big>[[File:Leus.png|16px|link=Gibush Threwd]] {{clink|Gibush Threwd|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
<td style="width:25%;"><big>[[File:Virsci.png|16px|link=Siniix Auctor]] {{clink|Siniix Auctor|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Libza.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Scorza.png|16px|link=Anyaru Servus]] {{clink|Anyaru Servus|blueblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|12px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|15px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Piga.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] [[Anicca Shivuh|{{Color|black|Skeletani}}]]{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
5e59c2e20e91f89266ba29807a87f044262561c0
834
831
2023-10-22T13:00:51Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:ECG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
<td style="width:25%;"><big>[[File:Arsci.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Taurlo.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
<td style="width:25%;"><big>[[File:Taurmini.png|16px|link=Awoole Fenrir]] {{clink|Awoole Fenrir|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
<td style="width:25%;"><big>[[File:Leus.png|16px|link=Gibush Threwd]] {{clink|Gibush Threwd|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
<td style="width:25%;"><big>[[File:Virsci.png|16px|link=Siniix Auctor]] {{clink|Siniix Auctor|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Libza.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Scorza.png|16px|link=Anyaru Servus]] {{clink|Anyaru Servus|blueblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|12px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|15px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Piga.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] [[Anicca Shivuh#Skeletani|{{Color|black|Skeletani}}]]{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
3960c47610ec6c3e03b48ee00a308e0199b9c47f
Anicca Shivuh
0
8
832
799
2023-10-22T12:59:14Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Skeletani==
the skeleton appears
[[File:Skeletal Prospit Ani.png|thumb]]
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
c690ee91b66ae6b5c38a07876adef49977e4a18b
833
832
2023-10-22T12:59:49Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Skeletani==
the skeleton appears
[[File:Skeletal Prospit Anicca.png|thumb]]
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
f5d44c7cc8d67ac8404ab8f07315206ea5f497f7
Ancestors
0
61
835
179
2023-10-22T13:03:29Z
Onepeachymo
2
wikitext
text/x-wiki
page for all of da ancestors to go, with links to their main pages
==Descendants==
i dun think we need a whole page for this concept this should be fine to link to
ca1a0a7a7fa5f4e4ef7f599aecee47e5d8122463
The Fortress/infobox
0
108
836
316
2023-10-22T13:04:48Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Fortezza-Generalé Galagaci Gravelaw
|symbol = [[File:Fortezzasign.png|32px]]
|symbol2 = [[File:Aspect_Rage.png|32px]]
|complex = [[File:La_Fortezza.png|300px]]
|caption = {{RS quote|#4C00FF|<big><nowiki>==|====I a reckoning shall not be postponed indefinitely.</nowiki></big>
}}
|intro = N/A
|title = {{Classpect|Rage|Knight}}
|age = Hundreds of Sweeps
|gender = She/Her (Woman)
|status = Gone
|screenname = The Fortress
|style = Speaks in <big>heading text</big>, in lowercase.
|specibus = Bladekind
|modus = Hoard
|relations = [[Knight Galfry|{{RS quote|#4C00FF|Knight Galfry}}]] - [[Ancestors#Descendants|Descendant]]
[[The Wretched|{{RS quote|#3B00FF|Nosferat Dyrakula}}]] - Military Subsidiary
|likes = Order.
|dislikes = ''Fish.''
|aka = Knight Avalon
|creator = [[user:Katabasis]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
c0b2f528cc9f8df9f5869a8749aaa2af927247e6
File:Lealda Caspin.png
6
460
837
2023-10-22T15:43:32Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
838
837
2023-10-22T15:44:34Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Lealda Caspin.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Shikki Raynor.png
6
461
839
2023-10-22T15:45:07Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
862
839
2023-10-22T16:44:26Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Shikki Raynor.png]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Yolond Jasper.png
6
462
840
2023-10-22T15:45:29Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Kurien Burrke.png
6
463
841
2023-10-22T15:45:43Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Vemixe Jening.png
6
464
842
2023-10-22T15:45:57Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Merrie Bonnet.png
6
465
843
2023-10-22T15:46:11Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Lealda Caspin
0
466
844
2023-10-22T15:47:58Z
Onepeachymo
2
Created page with "{{/Infobox}} ==Etymology== ==Biography== ==Personality and Traits== ==Relationships== ==Trivia== ==Gallery== <br /> <br /> {{Navbox Trolls}} [[Category:Trolls]]"
wikitext
text/x-wiki
{{/Infobox}}
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
94d8ffdfb8f09dbce00bdb925aa44b6ea5216689
Lealda Caspin/Infobox
0
467
845
2023-10-22T15:54:07Z
Onepeachymo
2
Created page with "{{Character Infobox |name = Lealda Caspin |symbol = |symbol2 = [[File:Calflag.png|32px]] |complex = [[File:Lealda_Caspin.png]] |caption = {{RS quote|violetblood| you know the answer is yes, whatever the question is ⚓}} |intro = |title = |age = Unknown |gender = They/Them (Nonbinary) |status = Haunting the Narrative (dead) |screenname = dreamingSalvation |style = Ends sentences with ⚓ |specibus = |modus = |relations = |planet = |likes = |dislikes = |aka = Capt..."
wikitext
text/x-wiki
{{Character Infobox
|name = Lealda Caspin
|symbol =
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Lealda_Caspin.png]]
|caption = {{RS quote|violetblood| you know the answer is yes, whatever the question is ⚓}}
|intro =
|title =
|age = Unknown
|gender = They/Them (Nonbinary)
|status = Haunting the Narrative (dead)
|screenname = dreamingSalvation
|style = Ends sentences with ⚓
|specibus =
|modus =
|relations =
|planet =
|likes =
|dislikes =
|aka = Captain
|creator = onepeachymo and mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
29af399c63be7707544741f9bb10eff9118caa0e
846
845
2023-10-22T15:54:41Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Lealda Caspin
|symbol =
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Lealda_Caspin.png]]
|caption = {{RS quote|violetblood| you know the answer is yes, whatever the question is ⚓}}
|intro =
|title =
|age = Unknown
|gender = They/Them (Nonbinary)
|status = Haunting the Narrative (dead)
|screenname = dreamingSalvation
|style = Ends sentences with ⚓
|specibus =
|modus =
|relations =
|planet =
|likes =
|dislikes =
|aka = Captain
|creator = onepeachymo and mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
4c1aab88b4548883e73694159d77f918c8cba2bc
849
846
2023-10-22T16:07:28Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Lealda Caspin
|symbol = [[File:Calflag.png|32px]]
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Lealda_Caspin.png]]
|caption = {{RS quote|violetblood| you know the answer is yes, whatever the question is ⚓}}
|intro =
|title =
|age = Unknown
|gender = They/Them (Nonbinary)
|status = Haunting the Narrative (dead)
|screenname = dreamingSalvation
|style = Ends sentences with ⚓
|specibus =
|modus =
|relations =
|planet =
|likes =
|dislikes =
|aka = Captain
|creator = onepeachymo and mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
495c29090e2424bae4acc0727950a12ed5dc2999
Shikki Raynor
0
468
847
2023-10-22T15:59:23Z
Onepeachymo
2
Created page with "{{/Infobox}} ==Etymology== ==Biography== ==Personality and Traits== ==Relationships== ==Trivia== ==Gallery== <br /> <br /> {{Navbox Trolls}} [[Category:Trolls]]"
wikitext
text/x-wiki
{{/Infobox}}
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
5f9aae01806c98d25c898396dafd461523b727de
Shikki Raynor/Infobox
0
469
848
2023-10-22T16:06:20Z
Onepeachymo
2
Created page with "{{Character Infobox |name = Character Name |symbol = [[File:CharactersSign.png|32px]] |symbol2 = [[File:Aspect_CharactersAspect.png|32px]] |complex = [[File:CharactersSprite.png]] |caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}} |intro = |title = |age = {{Age|11.5}} |gender = She/Her (Female) |status = Alive |screenname = forthrightMurmur |style = No capitalization and rare punctuation. Says one sentence to convey mess..."
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:CharactersSign.png|32px]]
|symbol2 = [[File:Aspect_CharactersAspect.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro =
|title =
|age = {{Age|11.5}}
|gender = She/Her (Female)
|status = Alive
|screenname = forthrightMurmur
|style = No capitalization and rare punctuation. Says one sentence to convey message, then addends another message with an arrow and parentheses after an enter space ↳ ( structured like this) to add additional subtext or side comments. Subtext is almost always superfluous and should hardly if ever provide additional context.
|specibus = Drillkind
|modus = Chest
|relations = [Yolond Jasper|{{RS quote|violetblood|Yolond}}]] - [[Matesprites|Matesprit]]
|planet =
|likes = her crewmates
|dislikes = responsibility, being in charge
|aka = {{RS quote|violetblood|Sharki}} ([[Tewkid Bownes|Tewkid]])
|creator = onepeachymo & mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
d65626df9cef6ec1ca9259b4f2651c982aecf862
850
848
2023-10-22T16:11:20Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:Calflag.png|32px]]
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Shikki_Raynor.png]]
|caption = {{RS quote|violetblood| i am just flabbergasted you decided to message me honestly}} <br />
{{RS quote|violetblood| ↳ (you are very bold. and maybe stupid. respect)}}
|intro =
|title =
|age = {{Age|11.5}}
|gender = She/Her (Female)
|status = Alive
|screenname = forthrightMurmur
|style = No capitalization and rare punctuation. Says one sentence to convey message, then addends another message with an arrow and parentheses after an enter space ↳ ( structured like this) to add additional subtext or side comments. Subtext is almost always superfluous and should hardly if ever provide additional context.
|specibus = Drillkind
|modus = Chest
|relations = [[Yolond Jasper|{{RS quote|violetblood|Yolond}}]] - [[Matesprites|Matesprit]]
|planet =
|likes = her crewmates
|dislikes = responsibility, being in charge
|aka = {{RS quote|violetblood|Sharki}} ([[Tewkid Bownes|Tewkid]])
|creator = onepeachymo & mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
1ba4b31e8a2efc4e401bf7827b59bd220a540172
851
850
2023-10-22T16:11:44Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Shikki Raynor
|symbol = [[File:Calflag.png|32px]]
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Shikki_Raynor.png]]
|caption = {{RS quote|violetblood| i am just flabbergasted you decided to message me honestly}} <br />
{{RS quote|violetblood| ↳ (you are very bold. and maybe stupid. respect)}}
|intro =
|title =
|age = {{Age|11.5}}
|gender = She/Her (Female)
|status = Alive
|screenname = forthrightMurmur
|style = No capitalization and rare punctuation. Says one sentence to convey message, then addends another message with an arrow and parentheses after an enter space ↳ ( structured like this) to add additional subtext or side comments. Subtext is almost always superfluous and should hardly if ever provide additional context.
|specibus = Drillkind
|modus = Chest
|relations = [[Yolond Jasper|{{RS quote|violetblood|Yolond}}]] - [[Matesprites|Matesprit]]
|planet =
|likes = her crewmates
|dislikes = responsibility, being in charge
|aka = {{RS quote|violetblood|Sharki}} ([[Tewkid Bownes|Tewkid]])
|creator = onepeachymo & mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
eb509008dfef0e566391bd079716d007a82b042d
852
851
2023-10-22T16:21:09Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Shikki Raynor
|symbol = [[File:Calflag.png|32px]]
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Shikki_Raynor.png]]
|caption = {{RS quote|violetblood| i am just flabbergasted you decided to message me honestly}} <br />
{{RS quote|violetblood| ↳ (you are very bold. and maybe stupid. respect)}}
|intro =
|title =
|age = {{Age|11.5}}
|gender = She/Her (Female) <br />
Lesbian
|status = Alive
|screenname = forthrightMurmur
|style = No capitalization and rare punctuation. Says one sentence to convey message, then addends another message with an arrow and parentheses after an enter space ↳ ( structured like this) to add additional subtext or side comments. Subtext is almost always superfluous and should hardly if ever provide additional context.
|specibus = Drillkind
|modus = Chest
|relations = [[Yolond Jasper|{{RS quote|violetblood|Yolond}}]] - [[Matesprites|Matesprit]]
|planet =
|likes = her crewmates
|dislikes = responsibility, being in charge
|aka = {{RS quote|violetblood|Sharki}} ([[Tewkid Bownes|Tewkid]])
|creator = onepeachymo & mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
65973821d392965aa0e2f7f57f5c95b60e2f433d
863
852
2023-10-22T16:46:40Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Shikki Raynor
|symbol = [[File:Calflag.png|32px]]
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Shikki_Raynor.png]]
|caption = {{RS quote|violetblood| i am just flabbergasted you decided to message me honestly}} <br />
{{RS quote|violetblood| ↳ (you are very bold. and maybe stupid. respect)}}
|intro =
|title =
|age = {{Age|11.5}}
|gender = She/Her (Female) <br />
Lesbian
|status = Alive
|screenname = forthrightMurmur
|style = No capitalization and rare punctuation. Says one sentence to convey message, then addends another message with an arrow and parentheses after an enter space ↳ ( structured like this) to add additional subtext or side comments. Subtext is almost always superfluous and should hardly if ever provide additional context.
|specibus = Drillkind
|modus = Chest
|relations = [[Yolond Jasper|{{RS quote|violetblood|Yolond}}]] - [[Matesprites|Matesprit]] <br />
[[The Twospoke|{{RS quote|violetblood|The Twospoke}}]] - [[Ancestors|Ancestor]]
|planet =
|likes = her crewmates
|dislikes = responsibility, being in charge
|aka = {{RS quote|violetblood|Sharki}} ([[Tewkid Bownes|Tewkid]])
|creator = onepeachymo & mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
3ba378620518b07ab3892de532a21b6d9862beff
865
863
2023-10-22T16:58:26Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Shikki Raynor
|symbol = [[File:Calflag.png|32px]]
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Shikki_Raynor.png]]
|caption = {{RS quote|violetblood| i am just flabbergasted you decided to message me honestly}} <br />
{{RS quote|violetblood| ↳ (you are very bold. and maybe stupid. respect)}}
|intro =
|title =
|age = {{Age|11.5}}
|gender = She/Her (Female) <br />
Lesbian
|status = Alive
|screenname = forthrightMurmur
|style = No capitalization and rare punctuation. Says one sentence to convey message, then addends another message with an arrow and parentheses after an enter space ↳ ( structured like this) to add additional subtext or side comments. Subtext is almost always superfluous and should hardly if ever provide additional context.
|specibus = Drillkind
|modus = Chest
|relations = [[Yolond Jasper|{{RS quote|violetblood|Yolond}}]] - [[Matesprites|Matesprit]] <br />
[[The Twospoke|{{RS quote|violetblood|The Twospoke}}]] - [[Ancestors|Ancestor]]
|planet =
|likes = her crewmates
|dislikes = responsibility, being in charge
|aka = {{RS quote|violetblood|Sharki}} ([[Tewkid Bownes|Tewkid]])
{{RS quote|violetblood|Kiki}} ([[Yolond Jasper|Yolond]])
|creator = onepeachymo & mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
e787d18f20349b4b2b5c011e88621748d0fdc3a9
866
865
2023-10-22T16:58:40Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Shikki Raynor
|symbol = [[File:Calflag.png|32px]]
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Shikki_Raynor.png]]
|caption = {{RS quote|violetblood| i am just flabbergasted you decided to message me honestly}} <br />
{{RS quote|violetblood| ↳ (you are very bold. and maybe stupid. respect)}}
|intro =
|title =
|age = {{Age|11.5}}
|gender = She/Her (Female) <br />
Lesbian
|status = Alive
|screenname = forthrightMurmur
|style = No capitalization and rare punctuation. Says one sentence to convey message, then addends another message with an arrow and parentheses after an enter space ↳ ( structured like this) to add additional subtext or side comments. Subtext is almost always superfluous and should hardly if ever provide additional context.
|specibus = Drillkind
|modus = Chest
|relations = [[Yolond Jasper|{{RS quote|violetblood|Yolond}}]] - [[Matesprites|Matesprit]] <br />
[[The Twospoke|{{RS quote|violetblood|The Twospoke}}]] - [[Ancestors|Ancestor]]
|planet =
|likes = her crewmates
|dislikes = responsibility, being in charge
|aka = {{RS quote|violetblood|Sharki}} ([[Tewkid Bownes|Tewkid]]) <br />
{{RS quote|violetblood|Kiki}} ([[Yolond Jasper|Yolond]])
|creator = onepeachymo & mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
59d317218e22b339bf1b912dad2d0aeaa726553a
Template:Character Infobox
10
40
853
827
2023-10-22T16:21:38Z
Onepeachymo
2
wikitext
text/x-wiki
{{infobox
|width = {{{width|300}}}
|scratch = {{{scratch|}}}
|Box title = {{{name|{{BASEPAGENAME}}}}}
|icon left = {{ #if: {{{symbol|}}}|{{{symbol}}} }}
|icon right = {{ #if: {{{symbol2|}}}|{{{symbol2}}} }}
|icon left pos left = {{{symbol pos left|-6}}}
|icon left pos top = {{{symbol pos top|-6}}}
|icon right pos right = {{{symbol2 pos right|-6}}}
|icon right pos top = {{{symbol2 pos top|-6}}}
|image = {{ #if:{{{image|}}} | File:{{{image}}} | {{ #if:{{{complex|}}} | | File:NoImage.gif }} }}
|image complex = {{ #if:{{{complex|}}}|{{nowrap|{{{complex}}}}} }}
|imagewidth = {{{imagewidth|250}}}
|caption = {{{caption|}}}
|bg-color = {{{bg-color|#E0E0E0}}}
|header =
|label1 = {{ #if: {{{aka|}}}| AKA }}
|info1 = {{{aka}}}
|label2 = {{ #if: {{{title|}}}|[[Mythological Roles|Title]] }}{{ #if: {{{aspect|}}}|[[Aspect|Emanant Aspect]] }}
|info2 = {{ #if: {{{title|}}}|{{{title}}} }}{{ #if: {{{aspect|}}}|{{{aspect}}} }}
|label3 = {{ #if: {{{age|}}}|<abbr title="As of current events of Vast Error.">Age</abbr>|}}
|info3 = {{{age}}}
|label4 = {{#if:{{{gender|{{{genid|}}}}}}|Gender Identity & Sexuality}}
|info4 = {{{gender|{{{genid}}}}}}
|label5 = {{ #if: {{{status|}}}|Status }}
|info5 = {{{status}}}
|label6 = {{ #if: {{{screenname|}}}| [[Moonbounce|Screen Name]] }}
|info6 = {{{screenname}}}
|label7 = {{ #if: {{{style|}}}|[[Typing Quirk|Typing Style]] }}
|info7 = {{{style}}}
|label8 = {{ #if: {{{specibus|}}}|[[Strife Specibus|Strife Specibi]] }}
|info8 = {{{specibus}}}
|label9 = {{ #if: {{{modus|}}}|[[Sylladex#Fetch Modi|Fetch Modus]] }}
|info9 = {{{modus}}}
|label10 = {{ #if: {{{relations|}}}|Relations }}
|info10 = {{{relations}}}
|label11 = {{ #if: {{{home|}}}|Live(s) in }}
|info11 = {{{home}}}
|label12 = {{ #if: {{{planet|}}}|[[Player Lands|Land]] }}
|info12 = {{{planet}}}
|label13 = {{ #if: {{{likes|}}}| Likes }}
|info13 = {{{likes}}}
|label14 = {{ #if: {{{aka|}}}| Dislikes }}
|info14 = {{{dislikes}}}
|label15 = {{ #if: {{{creator|}}}| Creator }}
|info15 = {{{creator}}}
|label16 =
|info16 = {{navbar|{{{name|{{BASEPAGENAME}}}}}/Infobox|float=right}}
|footer title = {{ #if: {{{skorpelogs|}}}|Chatlogs}}
|footer content = {{ #if: {{{skorpelogs|}}}|{{{skorpelogs}}}}}
}}<noinclude>
{{documentation}}
[[Category:Infobox templates]]
</noinclude>
8465b10e5f74c10d00718a7f25534fcd0d176434
855
853
2023-10-22T16:22:16Z
Onepeachymo
2
wikitext
text/x-wiki
{{infobox
|width = {{{width|300}}}
|scratch = {{{scratch|}}}
|Box title = {{{name|{{BASEPAGENAME}}}}}
|icon left = {{ #if: {{{symbol|}}}|{{{symbol}}} }}
|icon right = {{ #if: {{{symbol2|}}}|{{{symbol2}}} }}
|icon left pos left = {{{symbol pos left|-6}}}
|icon left pos top = {{{symbol pos top|-6}}}
|icon right pos right = {{{symbol2 pos right|-6}}}
|icon right pos top = {{{symbol2 pos top|-6}}}
|image = {{ #if:{{{image|}}} | File:{{{image}}} | {{ #if:{{{complex|}}} | | File:NoImage.gif }} }}
|image complex = {{ #if:{{{complex|}}}|{{nowrap|{{{complex}}}}} }}
|imagewidth = {{{imagewidth|250}}}
|caption = {{{caption|}}}
|bg-color = {{{bg-color|#E0E0E0}}}
|header =
|label1 = {{ #if: {{{aka|}}}| AKA }}
|info1 = {{{aka}}}
|label2 = {{ #if: {{{title|}}}|[[Mythological Roles|Title]] }}{{ #if: {{{aspect|}}}|[[Aspect|Emanant Aspect]] }}
|info2 = {{ #if: {{{title|}}}|{{{title}}} }}{{ #if: {{{aspect|}}}|{{{aspect}}} }}
|label3 = {{ #if: {{{age|}}}|<abbr title="As of current events of Vast Error.">Age</abbr>|}}
|info3 = {{{age}}}
|label4 = {{#if:{{{gender|{{{genid|}}}}}}|Gender & Sexuality}}
|info4 = {{{gender|{{{genid}}}}}}
|label5 = {{ #if: {{{status|}}}|Status }}
|info5 = {{{status}}}
|label6 = {{ #if: {{{screenname|}}}| [[Moonbounce|Screen Name]] }}
|info6 = {{{screenname}}}
|label7 = {{ #if: {{{style|}}}|[[Typing Quirk|Typing Style]] }}
|info7 = {{{style}}}
|label8 = {{ #if: {{{specibus|}}}|[[Strife Specibus|Strife Specibi]] }}
|info8 = {{{specibus}}}
|label9 = {{ #if: {{{modus|}}}|[[Sylladex#Fetch Modi|Fetch Modus]] }}
|info9 = {{{modus}}}
|label10 = {{ #if: {{{relations|}}}|Relations }}
|info10 = {{{relations}}}
|label11 = {{ #if: {{{home|}}}|Live(s) in }}
|info11 = {{{home}}}
|label12 = {{ #if: {{{planet|}}}|[[Player Lands|Land]] }}
|info12 = {{{planet}}}
|label13 = {{ #if: {{{likes|}}}| Likes }}
|info13 = {{{likes}}}
|label14 = {{ #if: {{{aka|}}}| Dislikes }}
|info14 = {{{dislikes}}}
|label15 = {{ #if: {{{creator|}}}| Creator }}
|info15 = {{{creator}}}
|label16 =
|info16 = {{navbar|{{{name|{{BASEPAGENAME}}}}}/Infobox|float=right}}
|footer title = {{ #if: {{{skorpelogs|}}}|Chatlogs}}
|footer content = {{ #if: {{{skorpelogs|}}}|{{{skorpelogs}}}}}
}}<noinclude>
{{documentation}}
[[Category:Infobox templates]]
</noinclude>
0efa8dcf70660949a17a7210633eef6feeecf7ca
Shikki
0
470
854
2023-10-22T16:21:51Z
Katabasis
6
Redirected page to [[Shikki Raynor]]
wikitext
text/x-wiki
#REDIRECT [[Shikki Raynor]]
33af8dc7223828e96a525db2744be1c1d24dc209
Kurien Burrke
0
471
856
2023-10-22T16:23:31Z
Onepeachymo
2
Created page with "{{/Infobox}} ==Etymology== ==Biography== ==Personality and Traits== ==Relationships== ==Trivia== ==Gallery== <br /> <br /> {{Navbox Trolls}} [[Category:Trolls]]"
wikitext
text/x-wiki
{{/Infobox}}
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
5f9aae01806c98d25c898396dafd461523b727de
Looksi Gumshu/Infobox
0
35
857
800
2023-10-22T16:24:23Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{Character Infobox
|name = Looksi Gumshu
|symbol = [[File:Libza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex = [[File:Looksi Sprite.png]]
|caption = {{RS quote|Teal| 𝙲𝚞𝚝 𝚝𝚑𝚎 𝚜𝚑𝚒𝚝 𝙼𝚌𝚛𝚒𝚋𝚋.}}
|intro =
|title = {{Classpect|Mind|Knight}}
|age = {{Age|10.5}}
|gender = He/Him (Male)
|status = Alive
|screenname = phlegmaticInspector
|style = 𝚄𝚜𝚎𝚜 𝚝𝚢𝚙𝚎𝚠𝚛𝚒𝚝𝚎𝚛 𝚏𝚘𝚗𝚝, 𝚊𝚗𝚍 𝚊𝚕𝚜𝚘 𝚑𝚊𝚜 𝚊 𝚐𝚘𝚘𝚍 𝚜𝚎𝚗𝚜𝚎 𝚘𝚏 𝚙𝚞𝚗𝚌𝚝𝚞𝚊𝚝𝚒𝚘𝚗 𝚊𝚗𝚍 𝚐𝚛𝚊𝚖𝚖𝚊𝚛. 𝙼𝚊𝚢 𝚊𝚕𝚜𝚘 𝚜𝚙𝚎𝚊𝚔 𝚒𝚗 𝚍𝚎𝚝𝚎𝚌𝚝𝚒𝚟𝚎 𝚗𝚘𝚒𝚛𝚎 𝚍𝚒𝚊𝚕𝚘𝚐𝚞𝚎.
|specibus = Pistolkind
|modus = Scotch
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Teal|Drewcy/Arsene Ripper}}]] - [[Relation Link Page(ie: )|(EX) Matesprites/Moirails (Dead)]]
[[Character you want to Link to’s URL Name|{{RS quote|Blue|Jonesy Triton}}]] - [[Relation Link Page(ie: )|Assistant (Dead) ]]
|planet = Land of Libraries and Labyrinths
|likes = Cigars, Coffee
|dislikes = Betrayal, Skoozy
|aka = Detective, {{RS quote|Teal|Looker}} (Arsene), <br />
{{RS quote|Bronzeblood|Bossman}} ([[Ponzii]]) <br />
|creator = Wowz}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
b7aed0e7a5eba98aa1e38be1c3c59e1bb45fa312
Kurien Burrke/Infobox
0
472
858
2023-10-22T16:30:31Z
Onepeachymo
2
Created page with "{{Character Infobox |name = Kurien Burrke |symbol = [[File:Calflag|32px]] |symbol2 = [[File:Calflag|32px]] |complex = [[File:Kurien_Burrke.png]] |caption = {{RS quote|violetblood| 👉 u-um y'know captain doesn't like it that y-you keep running off.....👈 }} |intro = |title = |age = {{Age|7}} |gender = He/Him (Male) |status = Alive |screenname = |style = Starts sentences with a troll 👉, and ends them with 👈. Types out his accent like Tewkid and Calico. Stutters a..."
wikitext
text/x-wiki
{{Character Infobox
|name = Kurien Burrke
|symbol = [[File:Calflag|32px]]
|symbol2 = [[File:Calflag|32px]]
|complex = [[File:Kurien_Burrke.png]]
|caption = {{RS quote|violetblood| 👉 u-um y'know captain doesn't like it that y-you keep running off.....👈 }}
|intro =
|title =
|age = {{Age|7}}
|gender = He/Him (Male)
|status = Alive
|screenname =
|style = Starts sentences with a troll 👉, and ends them with 👈. Types out his accent like Tewkid and Calico. Stutters a lot.
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = Tewkid, Calico
|dislikes =
|aka =
|creator = onepeachymo & mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
ff28c41452c55bf6062e676996fe5b3c08db7abb
859
858
2023-10-22T16:31:50Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Kurien Burrke
|symbol = [[File:Calflag.png|32px]]
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Kurien_Burrke.png]]
|caption = {{RS quote|violetblood| 👉 u-um y'know captain doesn't like it that y-you keep running off.....👈 }}
|intro =
|title =
|age = {{Age|7}}
|gender = He/Him (Male)
|status = Alive
|screenname =
|style = Starts sentences with a troll 👉, and ends them with 👈. Types out his accent like Tewkid and Calico. Stutters a lot.
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet =
|likes = Tewkid, Calico
|dislikes =
|aka =
|creator = onepeachymo & mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
06828e5a100acd40f7ea1ed0c597aae1f6ebae28
860
859
2023-10-22T16:33:03Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Kurien Burrke
|symbol = [[File:Calflag.png|32px]]
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Kurien_Burrke.png]]
|caption = {{RS quote|violetblood| 👉 u-um y'know captain doesn't like it that y-you keep running off.....👈 }}
|intro =
|title =
|age = {{Age|7}}
|gender = He/Him (Male)
|status = Alive
|screenname =
|style = Starts sentences with a troll 👉, and ends them with 👈. Types out his accent like Tewkid and Calico. Stutters a lot.
|specibus =
|modus =
|relations = [[Viceharp Lordahab|{{RS quote|violetblood|The Viceharp}}]] - [[Ancestors|Ancestor]]
|planet =
|likes = Tewkid, Calico
|dislikes =
|aka =
|creator = onepeachymo & mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
bb6f89d215e6924c112ec5f7018d63967bfd1be5
861
860
2023-10-22T16:36:57Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Kurien Burrke
|symbol = [[File:Calflag.png|32px]]
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Kurien_Burrke.png]]
|caption = {{RS quote|violetblood| 👉 u-um y'know captain doesn't like it that y-you keep running off.....👈 }}
|intro =
|title =
|age = {{Age|7}}
|gender = He/Him (Male)
|status = Alive
|screenname =
|style = Starts sentences with a troll 👉, and ends them with 👈. Types out his accent like Tewkid and Calico. Stutters a lot.
|specibus =
|modus =
|relations = [[The Viceharp|{{RS quote|violetblood|The Viceharp}}]] - [[Ancestors|Ancestor]]
|planet =
|likes = Tewkid, Calico
|dislikes =
|aka =
|creator = onepeachymo & mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
1bfec215707951dd61b71c4e35d2b1ebe10ec554
Yolond Jasper
0
473
864
2023-10-22T16:50:55Z
Onepeachymo
2
Created page with "{{/Infobox}} ==Etymology== ==Biography== ==Personality and Traits== ==Relationships== ==Trivia== ==Gallery== <br /> <br /> {{Navbox Trolls}} [[Category:Trolls]]"
wikitext
text/x-wiki
{{/Infobox}}
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
5f9aae01806c98d25c898396dafd461523b727de
Yolond Jasper/Infobox
0
474
867
2023-10-22T17:03:57Z
Onepeachymo
2
Created page with "{{Character Infobox |name = Yolond Jasper |symbol = [[File:Calflag.png|32px]] |symbol2 = [[File:Calflag.png|32px]] |complex = [[File:Yolond_Jasper.png]] |caption = ||{{RS quote|6| thanks for telling me, i know it was hard, i can't imagine how painful those memories are}}|| |intro = |title = |age = {{Age|10}} |gender = She/Her (Female) |status = Alive |screenname = silentSignificance |style = Speaks casually without capitalization, uses punctuation. All text is hidden in..."
wikitext
text/x-wiki
{{Character Infobox
|name = Yolond Jasper
|symbol = [[File:Calflag.png|32px]]
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Yolond_Jasper.png]]
|caption = ||{{RS quote|6| thanks for telling me, i know it was hard, i can't imagine how painful those memories are}}||
|intro =
|title =
|age = {{Age|10}}
|gender = She/Her (Female)
|status = Alive
|screenname = silentSignificance
|style = Speaks casually without capitalization, uses punctuation. All text is hidden in a spoiler.
|specibus =
|modus =
|relations = [[Shikki Raynor|{{RS quote|violetblood|Shikki}}]] - [[Matesprites|Matesprit]] <br />
[[The Reticent|{{RS quote|violetblood|The Reticent}}]] - [[Ancestors|Ancestor]]
|planet =
|likes =
|dislikes =
|aka = {{RS quote|violetblood|Yoyo}} ([[Shikki Raynor|Shikki]])
|creator = onepeachymo & mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
26ae464221cf297a5470af54f00322fcfd6f4c88
868
867
2023-10-22T17:04:57Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Yolond Jasper
|symbol = [[File:Calflag.png|32px]]
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Yolond_Jasper.png]]
|caption = >{{RS quote|6| thanks for telling me, i know it was hard, i can't imagine how painful those memories are}}<
|intro =
|title =
|age = {{Age|10}}
|gender = She/Her (Female)
|status = Alive
|screenname = silentSignificance
|style = Speaks casually without capitalization, uses punctuation. All text is hidden in a spoiler.
|specibus =
|modus =
|relations = [[Shikki Raynor|{{RS quote|violetblood|Shikki}}]] - [[Matesprites|Matesprit]] <br />
[[The Reticent|{{RS quote|violetblood|The Reticent}}]] - [[Ancestors|Ancestor]]
|planet =
|likes =
|dislikes =
|aka = {{RS quote|violetblood|Yoyo}} ([[Shikki Raynor|Shikki]])
|creator = onepeachymo & mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
f16d7d4f92a7f9a6c346d9594f210991197ea173
Merrie Bonnet
0
475
869
2023-10-22T17:09:40Z
Onepeachymo
2
Created page with "{{/Infobox}} ==Etymology== ==Biography== ==Personality and Traits== ==Relationships== ==Trivia== ==Gallery== <br /> <br /> {{Navbox Trolls}} [[Category:Trolls]]"
wikitext
text/x-wiki
{{/Infobox}}
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
5f9aae01806c98d25c898396dafd461523b727de
Merrie Bonnet/Infobox
0
476
870
2023-10-22T17:19:56Z
Onepeachymo
2
Created page with "{{Character Infobox |name = Merrie Bonnet |symbol = [[File:Calflag.png|32px]] |symbol2 = [[File:Calflag.png|32px]] |complex = [[File:Merrie_Bonnet.png]] |caption = {{RS quote|violetblood| He'll probably get Capta?n to k?ck you off the sh?p? And that's ?f you're lucky?! Maybe you'll get stranded on an ?sland w?th no soc?al contact unt?l you d?e?}} |intro = |title = |age = {{Age|9}} |gender = She/Her (Female) <br /> Bisexual |status = Alive |screenname = |style = Uses prop..."
wikitext
text/x-wiki
{{Character Infobox
|name = Merrie Bonnet
|symbol = [[File:Calflag.png|32px]]
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Merrie_Bonnet.png]]
|caption = {{RS quote|violetblood| He'll probably get Capta?n to k?ck you off the sh?p? And that's ?f you're lucky?! Maybe you'll get stranded on an ?sland w?th no soc?al contact unt?l you d?e?}}
|intro =
|title =
|age = {{Age|9}}
|gender = She/Her (Female) <br />
Bisexual
|status = Alive
|screenname =
|style = Uses proper punctuation, grammar, and capitalization. Replaces all instances of "i" with a question mark. Ends every sentence with a question mark, though will add an exclamation mark at times after the question mark for emphasis.
|specibus =
|modus =
|relations = [[The Smuggler|{{RS quote|violetblood|The Smuggler}}]] - [[Ancestors|Ancestor]]
|planet =
|likes = Gossip, eavesdropping
|dislikes =
|aka =
|creator = onepeachymo & mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
efe247d498b5018a8c6116b1e92835a6a8d89886
Vemixe Jening
0
477
871
2023-10-22T17:22:53Z
Onepeachymo
2
Created page with "{{/Infobox}} ==Etymology== ==Biography== ==Personality and Traits== ==Relationships== ==Trivia== ==Gallery== <br /> <br /> {{Navbox Trolls}} [[Category:Trolls]]"
wikitext
text/x-wiki
{{/Infobox}}
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
5f9aae01806c98d25c898396dafd461523b727de
Vemixe Jening/Infobox
0
478
872
2023-10-22T17:44:42Z
Onepeachymo
2
Created page with "{{Character Infobox |name = Vemixe Jening |symbol = [[File:Calflag.png|32px]] |symbol2 = [[File:Calflag.png|32px]] |complex = [[File:Vemixe_Jening.png]] |caption = {{RS quote|violetblood| you annoyed himm while he was resting. he probably hates you noww. youll probably drowwn. or get eaten by a deep sea lusus.}} |intro = |title = |age = {{Age|9}} |gender = He/Him (Male) <br /> Bisexual |status = Alive |screenname = |style = Doesn't use capitalization. Uses proper grammar..."
wikitext
text/x-wiki
{{Character Infobox
|name = Vemixe Jening
|symbol = [[File:Calflag.png|32px]]
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Vemixe_Jening.png]]
|caption = {{RS quote|violetblood| you annoyed himm while he was resting. he probably hates you noww. youll probably drowwn. or get eaten by a deep sea lusus.}}
|intro =
|title =
|age = {{Age|9}}
|gender = He/Him (Male) <br />
Bisexual
|status = Alive
|screenname =
|style = Doesn't use capitalization. Uses proper grammar and replaces most forms of punctuation in a sentence with period, or abstains from using certain punctuation marks(apostrophes, hyphens, parentheses, etc.). Ends every sentence with a period. Doubles "w"'s and "m"'s.
|specibus =
|modus =
|relations = [[The Shadowed|{{RS quote|violetblood|The Shadowed}}]] - [[Ancestors|Ancestor]]
|planet =
|likes = Calico
|dislikes = Effort
|aka = {{RS quote|violetblood|Vemi}} ([[Merrie Bonnet|Merrie]])
|creator = onepeachymo & mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
0319c37203faf26a18f9cf06cca2850b0fc9dfde
873
872
2023-10-22T18:10:04Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Vemixe Jening
|symbol = [[File:Calflag.png|32px]]
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Vemixe_Jening.png]]
|caption = {{RS quote|violetblood| you annoyed himm while he was resting. he probably hates you noww. youll probably drowwn. and/or get eaten by a deep sea lusus.}}
|intro =
|title =
|age = {{Age|9}}
|gender = He/Him (Male) <br />
Bisexual
|status = Alive
|screenname =
|style = Doesn't use capitalization. Uses proper grammar and replaces most forms of punctuation in a sentence with period, or abstains from using certain punctuation marks(apostrophes, hyphens, parentheses, etc.). Ends every sentence with a period. Doubles "w"'s and "m"'s.
|specibus =
|modus =
|relations = [[The Shadowed|{{RS quote|violetblood|The Shadowed}}]] - [[Ancestors|Ancestor]]
|planet =
|likes = Calico
|dislikes = Effort
|aka = {{RS quote|violetblood|Vemi}} ([[Merrie Bonnet|Merrie]])
|creator = onepeachymo & mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
931fd9826eac9e1915fa56858722efd0b84c8880
Siniix Auctor
0
436
874
816
2023-10-22T19:29:21Z
2601:410:4300:C720:D0D5:6A48:596C:ABD5
0
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Siniix Auctor}}
'''Siniix Auctor''' also known by her [[Moonbounce]] handle, {{RS quote|jadeblood|temporalDramatist}}. Her sign is [http://hs.hiveswap.com/ezodiac/truesign.php?TS=Virsci Virsci], and a '''Prospit''' dreamer. She is a '''Witch of Life'''. Her actual age is unknown, aside that she is over 8 sweeps old, as is her birth date. Her ancestor is unknown. Her lusus was a deer, and has been deceased for a very long time. She never got to say goodbye.
Siniix joined the chatroom on 1/17/2023, after the message of her joining the chatroom appeared on her typewriter. Her typewriter stopped transmitting messages to the chatroom after she set up [[Moonbounce]] on her palmhusk.
==Etymology==
"Siniix," has no discernible meaning. "Auctor," is defined as an "[https://en.wiktionary.org/wiki/auctor obsolete form of author]." The first word of her chat handle, temporal, is presumably in reference to her historical plays and musicals. Dramatist is similarly related to her profession.
==Biography==
===Early Life===
Siniix has no record of any presence on Alternia before 2.5 sweeps before the present day, and when questioned about this, is incredibly cagey about the topic. Siniix is a popular playwright, and her plays are typically based off of records of ancestors. Siniix has a personal collection of ancient scrolls, all of which are in shockingly pristine condition. Siniix' canonical plays are usually trollified versions of popular musicals and plays in real life. Some examples are Phantom of the Opera, and Ride the Cyclone. Siniix lives close to New Troll City for work purposes, but lives far enough away that she can live a secluded life in a small cottage.
==Personality and Traits==
Siniix is very kind towards others, and very humble in regards to her plays' popularity. She generally likes most chat members, even if they've been openly hostile towards other chat members. She has a strong interest in literature and historical records. She has mentioned that she has a contact at the library in New Troll City who would lets her into the historical section with the "good stuff," implied to be restricted records. She enjoys baking, and making tea.
==Relationships==
* [[Knight_Galfry|Knight Galfry]] is a pen-pal of Siniix. Siniix suggested that she and Knight become pen-pals primarily because she had already developed a red crush on Knight. This crush continues to grow in intensity as time goes on. Siniix loves how chivalrous Knight is. Siniix was drawn to Knight initially because of her being a swordswoman, something Siniix has a particular liking for. Siniix also likes Knight's tone of text, which she usually interprets as commanding, but sweet.
* [[Looksi_Gumshu|Looksi Gumshu]] is another red crush of Siniix. While not as intense as the one she has for Knight, she admires his profession, and finds his manner of speech to be attractive.
* [[Anyaru_Servus|Anyaru Servus]] is a friend of Siniix. She and Annie share a love for literature and tea. While they aren't close, it's implied that the two have had tea together on prior occasions.
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
f99bf2ee972c90e1eac1fdbd97ce73c1a924da54
Siniix Auctor/Infobox
0
453
875
808
2023-10-22T19:39:39Z
HowlingHeretic
3
wikitext
text/x-wiki
{{Character Infobox
|name = Siniix Auctor
|symbol = [[File:Virsci.png|32px]]
|symbol2 = [[File:Aspect_Life.png|25px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|jadeblood| character quote that you want underneath their picture}}
|intro = 1/17/2023
|title = {{Classpect|Life|Witch}}
|age = {{Age|8}} ?
|gender = She/Her (Female)
|status = Alive
|screenname = temporalDramatist
|style = Begins and ends with a star, ☆, and capitalizes "L."
|specibus = Quillkind
|modus = Messenger Bag
|relations = [[Knight Galfry|{{RS quote|Indigoblood|Knight Galfry}}]] - Love interest
|planet = Land of Parchment and Cracked Mirrors
|likes = Literature, tea, historical records, romance, swordswomen
|dislikes = Coffee, crowded places
|aka = Snips
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
bf2c51b1f17450b6270e190deb7213dcd8c21cbb
Priestess
0
479
876
2023-10-22T19:46:44Z
HowlingHeretic
3
Created page with "{{DISPLAYTITLE:Priestess}} ==Etymology== '''Priestess''' is Siette's former mentor, and a minor antagonist in [[Re:Symphony|Re:Symphony]] ==Biography== ==Personality and Traits== ==Relationships== ==Trivia== ==Gallery=="
wikitext
text/x-wiki
{{DISPLAYTITLE:Priestess}}
==Etymology==
'''Priestess''' is Siette's former mentor, and a minor antagonist in [[Re:Symphony|Re:Symphony]]
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
e3f70049bfbd9dfdc976d151c306efdaa21facb6
877
876
2023-10-22T19:47:10Z
HowlingHeretic
3
wikitext
text/x-wiki
{{DISPLAYTITLE:Priestess}}
==Etymology==
'''Priestess''' is [[Siette_Aerien|Siette's]] former mentor, and a minor antagonist in [[Re:Symphony|Re:Symphony]]
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
b164907a872098d734551d21f0dfa565fc01114b
The Headsman
0
480
878
2023-10-22T19:50:55Z
HowlingHeretic
3
Created page with "{{DISPLAYTITLE:The Headsman}} '''The Headsman''' is [[Siette_Aerien|Siette Aerien's]] [[Ancestors|Ancestor]]. She participated in the revolution, and the following violet blood subjugation. The Headsman did not talk often, and opted to cull her prey in quick, efficient ways. She was the Divine Executioner of the Church, headed by [[Priestess|Priestess's]] ancestor, The Stitcher. ==Etymology== ==Biography== ==Personality and Traits== ==Relationships== ==Trivia=..."
wikitext
text/x-wiki
{{DISPLAYTITLE:The Headsman}}
'''The Headsman''' is [[Siette_Aerien|Siette Aerien's]] [[Ancestors|Ancestor]]. She participated in the revolution, and the following violet blood subjugation. The Headsman did not talk often, and opted to cull her prey in quick, efficient ways. She was the Divine Executioner of the Church, headed by [[Priestess|Priestess's]] ancestor, The Stitcher.
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
37b52d194efc72c5bd41105b5bea12f9645e59fd
Knight Galfry/infobox
0
83
879
775
2023-10-22T20:09:52Z
Katabasis
6
added love interests 💖
wikitext
text/x-wiki
{{Character Infobox
|name = Knight Galfry
|symbol = [[File:knightsign.png|22px]]
|symbol2 = [[File:Aspect_Hope.png|40px]]
|complex = [[File:Knight.png]]
|caption = {{RS quote|#4C00FF| '''<nowiki>c=|===></nowiki> TO ALL THINGS, AN END. AS IT WERE.'''}}
|intro = day they joined server
|title = {{Classpect|Hope|Knight}}
|age = {{Age|9}}
|gender = She/Her (Girl)
|status = Alive
|screenname = chivalrousCavalier
|style = Speaks in all caps, in an archaic lexis. Uses middle english pronouns. Appends an ascii sword to the start of her messages, but it contains a character that fucks with the code, so I can't replicate it here. Slorry.
|specibus = Shieldkind/Bladekind
|modus = Hoard
|relations = [[The Fortress|{{RS quote|#4C00FF|La Fortezza}}]] - [[Ancestors|Ancestor]]
[[Siniix Auctor|{{RS quote|Jadeblood|Siniix Auctor}}]] - Flushed love interest
[[Aquett Aghara|{{RS quote|Indigoblood|Aquett Aghara}}]] - Pitch love interest
|planet = Land of Storms and Rapture
|likes = Rainbowdrinkers.
|dislikes = Violets, on principle. Confusingly, though, by number, ''most'' of her friends are Violets.
|aka = {{RS quote|violetblood|Kishi}} ([[Mabuya Arnava|Mabuya]]),<br />
{{RS quote|bronzeblood|Nig#t}} ([[Ponzii]]),<br />
{{RS quote|violetblood|Galgie}} ([[Tewkid Bownes|Tewkid]])
|creator = [[user:Katabasis]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
8fab50b46670917dac9520bbe7ba75c244b1d72b
Awoole Fenrir
0
434
880
815
2023-10-22T20:32:58Z
HowlingHeretic
3
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Awoole Fenrir}}
'''Awoole Fenrir''', also known by his [[Moonbounce|Moonbounce]] handle, {{RS quote|Bronzeblood|tinkeringLycan}}, is one of the [[Trolls|trolls]] in [[Re:Symphony|Re:Symphony]]. His sign is Taurmini, and he is a Witch of Doom. He is a mechanic, and is known to be extremely skilled in all forms of repair.
==Etymology==
"Awoole," comes from the onomatopoeia, "Awoo." "Fenrir," comes from the name of a legendary wolf in Norse mythology, the son of Loki who devours Odin during Ragnarok. The first word of his Moonbounce handle, "tinkering," is in reference to his skills in repair and mechanics. The second word, "lycan," is another word for werewolf. It can be inferred that Awoole chose his Moonbounce handle based solely on his two interests: wolves, and engineering.
==Biography==
===Early Life===
Awoole was taken in by a pack of wolf lusii when he was a grub. Awoole grew up with the wolf pack taking care of him, and he repaid this later in life by creating cybernetic prosthetics for their limbs that were injured beyond healing.
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
8a7a14aa7444cc29c083c6ac47749ba6d01a16f3
911
880
2023-10-24T01:45:03Z
HowlingHeretic
3
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Awoole Fenrir}}
'''Awoole Fenrir''', also known by his [[Moonbounce|Moonbounce]] handle, {{RS quote|Bronzeblood|tinkeringLycan}}, is one of the [[Trolls|trolls]] in [[Re:Symphony|Re:Symphony]]. His sign is Taurmini, and he is a Witch of Doom. He is a mechanic, and is known to be extremely skilled in all forms of repair.
==Etymology==
"Awoole," comes from the onomatopoeia, "Awoo." "Fenrir," comes from the name of a legendary wolf in Norse mythology, the son of Loki who devours Odin during Ragnarok. The first word of his Moonbounce handle, "tinkering," is in reference to his skills in repair and mechanics. The second word, "lycan," is another word for werewolf. It can be inferred that Awoole chose his Moonbounce handle based solely on his two interests: wolves, and engineering.
==Biography==
===Early Life===
Awoole was taken in by a pack of wolf lusii when he was a grub. Awoole grew up with the wolf pack taking care of him, and he repaid this later in life by creating cybernetic prosthetics for their limbs that were injured beyond healing.
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<gallery widths=200px heights=150px>
File:Awoole_Fenrir_Shirtless.png|Awoole without his shirt.
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
aa66a6a45cbb2b23ed3b530f99c021df82581dc3
The Headsman
0
480
881
878
2023-10-22T20:59:01Z
72.23.164.65
0
wikitext
text/x-wiki
{{DISPLAYTITLE:The Headsman}}
'''The Headsman''' is [[Siette_Aerien|Siette Aerien's]] [[Ancestors|Ancestor]]. She participated in the revolution, and the following violet blood subjugation. The Headsman did not talk often, and opted to cull her prey in quick, efficient ways. She was the Divine Executioner of the Church, headed by [[Priestess|Priestess's]] ancestor, The Stitcher.
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Ancestors}}
[[Category:Ancestors]]
6e92fc2ea28dc4f4c5fd8012fda6b2ed278b6310
Anyaru Servus
0
435
882
814
2023-10-22T21:22:58Z
HowlingHeretic
3
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Anyaru Servus}}
'''Anyaru Servus''', also known by her [[Moonbounce|Moonbounce]] handle, {{RS quote|ceruleanblood|calmingHyacinth}}, and her nickname, "Annie," is one of the [[Trolls|trolls]] in [[Re:Symphony|Re:Symphony]]. Her sign is Scorza, and she is a Seer of Mind. She works as the personal assistant of [[Siette_Aerien|Siette Aerien]], providing services such as cleaning, lusii feeding, gift buying, and anything else Siette asks of her. She also is a skilled assassin, and has been shown to kill even purple bloods.
==Etymology==
"Anyaru Servus," is a reference to "At your service." Her Moonbounce handle, calmingHyacinth, is primarily a reference to how she views her relationship with Siette. In addition, it shortens to CH, which references her librarian inspiration.
==Biography==
===Early Life===
Annie was chosen as Siette's assistant by [[Priestess|Priestess]] early on in their lives. Annie began her work for Siette, primarily tending to her mundane needs; Annie would do Siette's laundry, her dishes, prepare her meals, feed her lusus, clean the mansion she lived in, and other menial tasks that Siette found too boring to do herself. As time continued, Annie began to develop flushed feelings for Siette. Annie responded to these feelings by repressing them, and channeling that energy into her work. When Siette grew older and began killing trolls more often, she took it upon herself to tie up loose ends. Eventually, Siette became a target for other over-zealous trolls. While Siette is more than capable at defending herself, Annie began assassinating these trolls for Siette in secret, so she could continue living her life however she pleased.
Annie met [[Awoole_Fenrir|Awoole]] during her work for Siette. She commissioned Awoole to repair and customize a set of throwing axes for Siette. She found Awoole's tone toward her to be abrasive and offensive, but his craftsmanship was undeniable.
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
7f6791a29f146b55928a38123fe5a923db8d400f
913
882
2023-10-24T01:48:27Z
HowlingHeretic
3
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Anyaru Servus}}
'''Anyaru Servus''', also known by her [[Moonbounce|Moonbounce]] handle, {{RS quote|ceruleanblood|calmingHyacinth}}, and her nickname, "Annie," is one of the [[Trolls|trolls]] in [[Re:Symphony|Re:Symphony]]. Her sign is Scorza, and she is a Seer of Mind. She works as the personal assistant of [[Siette_Aerien|Siette Aerien]], providing services such as cleaning, lusii feeding, gift buying, and anything else Siette asks of her. She also is a skilled assassin, and has been shown to kill even purple bloods.
==Etymology==
"Anyaru Servus," is a reference to "At your service." Her Moonbounce handle, calmingHyacinth, is primarily a reference to how she views her relationship with Siette. In addition, it shortens to CH, which references her librarian inspiration.
==Biography==
===Early Life===
Annie was chosen as Siette's assistant by [[Priestess|Priestess]] early on in their lives. Annie began her work for Siette, primarily tending to her mundane needs; Annie would do Siette's laundry, her dishes, prepare her meals, feed her lusus, clean the mansion she lived in, and other menial tasks that Siette found too boring to do herself. As time continued, Annie began to develop flushed feelings for Siette. Annie responded to these feelings by repressing them, and channeling that energy into her work. When Siette grew older and began killing trolls more often, she took it upon herself to tie up loose ends. Eventually, Siette became a target for other over-zealous trolls. While Siette is more than capable at defending herself, Annie began assassinating these trolls for Siette in secret, so she could continue living her life however she pleased.
Annie met [[Awoole_Fenrir|Awoole]] during her work for Siette. She commissioned Awoole to repair and customize a set of throwing axes for Siette. She found Awoole's tone toward her to be abrasive and offensive, but his craftsmanship was undeniable.
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<gallery widths=200px heights=150px>
File:Anyaru_Servus_Longcoat.png|Annie's long coat, from her concept art.
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
c4a018fab7f926ce9d7b040394529524a5558f54
914
913
2023-10-24T01:55:33Z
HowlingHeretic
3
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Anyaru Servus}}
'''Anyaru Servus''', also known by her [[Moonbounce|Moonbounce]] handle, {{RS quote|ceruleanblood|calmingHyacinth}}, and her nickname, "Annie," is one of the [[Trolls|trolls]] in [[Re:Symphony|Re:Symphony]]. Her sign is Scorza, and she is a Seer of Mind. She works as the personal assistant of [[Siette_Aerien|Siette Aerien]], providing services such as cleaning, lusii feeding, gift buying, and anything else Siette asks of her. She also is a skilled assassin, and has been shown to kill even purple bloods.
==Etymology==
"Anyaru Servus," is a reference to "At your service." Her Moonbounce handle, calmingHyacinth, is primarily a reference to how she views her relationship with Siette. In addition, it shortens to CH, which references her librarian inspiration.
==Biography==
===Early Life===
Annie was chosen as Siette's assistant by [[Priestess|Priestess]] early on in their lives. Annie began her work for Siette, primarily tending to her mundane needs; Annie would do Siette's laundry, her dishes, prepare her meals, feed her lusus, clean the mansion she lived in, and other menial tasks that Siette found too boring to do herself. As time continued, Annie began to develop flushed feelings for Siette. Annie responded to these feelings by repressing them, and channeling that energy into her work. When Siette grew older and began killing trolls more often, she took it upon herself to tie up loose ends. Eventually, Siette became a target for other over-zealous trolls. While Siette is more than capable at defending herself, Annie began assassinating these trolls for Siette in secret, so she could continue living her life however she pleased.
==Personality and Traits==
* [[Siette Aerien|Siette]] is Annie's employer, and Annie has a repressed flushed crush for her.
* [[Awoole_Fenrir|Awoole]] is Annie's kismesis. Annie met Awoole during her work for Siette. She commissioned Awoole to repair and customize a set of throwing axes for Siette. She found Awoole's tone toward her to be abrasive and offensive, but his craftsmanship was undeniable. She believes that if he improves his attitude, and gets over his hatred of highbloods, he can be more successful.
* [[Siniix Auctor|Siniix]] is one of Annie's friends. They share an interest in tea, and literature.
* Annie is suspicious of [[Looksi Gumshu|Looksi]].
* Annie likes [[Mabuya Arnava|Mabuya]], [[Knight Galfry|Knight]], and [[Paluli Anriqi|Paluli]].
==Relationships==
==Trivia==
==Gallery==
<gallery widths=200px heights=150px>
File:Anyaru_Servus_Longcoat.png|Annie's long coat, from her concept art.
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
04406c1b059a7e63c32dced4b5c6d2695c11e1c4
916
914
2023-10-24T02:00:44Z
HowlingHeretic
3
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Anyaru Servus}}
'''Anyaru Servus''', also known by her [[Moonbounce|Moonbounce]] handle, {{RS quote|ceruleanblood|calmingHyacinth}}, and her nickname, "Annie," is one of the [[Trolls|trolls]] in [[Re:Symphony|Re:Symphony]]. Her sign is Scorza, and she is a Seer of Mind. She works as the personal assistant of [[Siette_Aerien|Siette Aerien]], providing services such as cleaning, lusii feeding, gift buying, and anything else Siette asks of her. She also is a skilled assassin, and has been shown to kill even purple bloods.
==Etymology==
"Anyaru Servus," is a reference to "At your service." Her Moonbounce handle, calmingHyacinth, is primarily a reference to how she views her relationship with Siette. In addition, it shortens to CH, which references her librarian inspiration.
==Biography==
===Early Life===
Annie was chosen as Siette's assistant by [[Priestess|Priestess]] early on in their lives. Annie began her work for Siette, primarily tending to her mundane needs; Annie would do Siette's laundry, her dishes, prepare her meals, feed her lusus, clean the mansion she lived in, and other menial tasks that Siette found too boring to do herself. As time continued, Annie began to develop flushed feelings for Siette. Annie responded to these feelings by repressing them, and channeling that energy into her work. When Siette grew older and began killing trolls more often, she took it upon herself to tie up loose ends. Eventually, Siette became a target for other over-zealous trolls. While Siette is more than capable at defending herself, Annie began assassinating these trolls for Siette in secret, so she could continue living her life however she pleased.
==Personality and Traits==
==Relationships==
* [[Siette Aerien|Siette]] is Annie's employer, and Annie has a repressed flushed crush for her.
* [[Awoole_Fenrir|Awoole]] is Annie's kismesis. Annie met Awoole during her work for Siette. She commissioned Awoole to repair and customize a set of throwing axes for Siette. She found Awoole's tone toward her to be abrasive and offensive, but his craftsmanship was undeniable. She believes that if he improves his attitude, and gets over his hatred of highbloods, he can be more successful.
* [[Siniix Auctor|Siniix]] is one of Annie's friends. They share an interest in tea, and literature.
* Annie is suspicious of [[Looksi Gumshu|Looksi]].
* Annie likes [[Mabuya Arnava|Mabuya]], [[Knight Galfry|Knight]], and [[Paluli Anriqi|Paluli]].
==Trivia==
==Gallery==
<gallery widths=200px heights=150px>
File:Anyaru_Servus_Longcoat.png|Annie's long coat, from her concept art.
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
5e35c138f529f8cc7e56c398754ada990b64ca90
920
916
2023-10-24T02:14:38Z
HowlingHeretic
3
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Anyaru Servus}}
'''Anyaru Servus''', also known by her [[Moonbounce|Moonbounce]] handle, {{RS quote|ceruleanblood|calmingHyacinth}}, and her nickname, "Annie," is one of the [[Trolls|trolls]] in [[Re:Symphony|Re:Symphony]]. Her sign is Scorza, and she is a Seer of Mind. She works as the personal assistant of [[Siette_Aerien|Siette Aerien]], providing services such as cleaning, lusii feeding, gift buying, and anything else Siette asks of her. She also is a skilled assassin, and has been shown to kill even purple bloods.
==Etymology==
"Anyaru Servus," is a reference to "At your service." Her Moonbounce handle, calmingHyacinth, is primarily a reference to how she views her relationship with Siette. In addition, it shortens to CH, which references her librarian inspiration.
==Biography==
===Early Life===
Annie was chosen as Siette's assistant by [[Priestess|Priestess]] early on in their lives. Annie began her work for Siette, primarily tending to her mundane needs; Annie would do Siette's laundry, her dishes, prepare her meals, feed her lusus, clean the mansion she lived in, and other menial tasks that Siette found too boring to do herself. As time continued, Annie began to develop flushed feelings for Siette. Annie responded to these feelings by repressing them, and channeling that energy into her work. When Siette grew older and began killing trolls more often, she took it upon herself to tie up loose ends. Eventually, Siette became a target for other over-zealous trolls. While Siette is more than capable at defending herself, Annie began assassinating these trolls for Siette in secret, so she could continue living her life however she pleased.
==Personality and Traits==
Annie is cold towards others, and is still very formal with Siette. Annie only acts for Siette's benefit, and as such keeps most people at an arms distance.
==Relationships==
* [[Siette Aerien|Siette]] is Annie's employer, and Annie has a repressed flushed crush for her.
* [[Awoole_Fenrir|Awoole]] is Annie's kismesis. Annie met Awoole during her work for Siette. She commissioned Awoole to repair and customize a set of throwing axes for Siette. She found Awoole's tone toward her to be abrasive and offensive, but his craftsmanship was undeniable. She believes that if he improves his attitude, and gets over his hatred of highbloods, he can be more successful.
* [[Siniix Auctor|Siniix]] is one of Annie's friends. They share an interest in tea, and literature.
* Annie is suspicious of [[Looksi Gumshu|Looksi]].
* Annie likes [[Mabuya Arnava|Mabuya]], [[Knight Galfry|Knight]], and [[Paluli Anriqi|Paluli]].
==Trivia==
* Annie's lusus is a panther.
* The interior of Annie's hive is lined in bookshelves. Her hive acts as a large personal library.
* Annie wears goth clothing, inspired by 90s goth looks.
* Annie is partially inspired by [https://danganronpa.fandom.com/wiki/Kirumi_Tojo Kirumi Tojo] from Danganronpa V3.
* Annie makes weapons from the bones of those she kills.
==Gallery==
<gallery widths=200px heights=150px>
File:Anyaru_Servus_Longcoat.png|Annie's long coat, from her concept art.
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
6ad1689242dba63b77d2a2a74abf0521e9bb56a7
921
920
2023-10-24T02:16:27Z
HowlingHeretic
3
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Anyaru Servus}}
'''Anyaru Servus''', also known by her [[Moonbounce|Moonbounce]] handle, {{RS quote|ceruleanblood|calmingHyacinth}}, and her nickname, "Annie," is one of the [[Trolls|trolls]] in [[Re:Symphony|Re:Symphony]]. Her sign is Scorza, and she is a Seer of Mind. She works as the personal assistant of [[Siette_Aerien|Siette Aerien]], providing services such as cleaning, lusii feeding, gift buying, and anything else Siette asks of her. She also is a skilled assassin, and has been shown to kill even purple bloods.
==Etymology==
"Anyaru Servus," is a reference to "At your service." Her Moonbounce handle, calmingHyacinth, is primarily a reference to how she views her relationship with Siette. In addition, it shortens to CH, which references her librarian inspiration.
==Biography==
===Early Life===
Annie was chosen as Siette's assistant by [[Priestess|Priestess]] early on in their lives. Annie began her work for Siette, primarily tending to her mundane needs; Annie would do Siette's laundry, her dishes, prepare her meals, feed her lusus, clean the mansion she lived in, and other menial tasks that Siette found too boring to do herself. As time continued, Annie began to develop flushed feelings for Siette. Annie responded to these feelings by repressing them, and channeling that energy into her work. When Siette grew older and began killing trolls more often, she took it upon herself to tie up loose ends. Eventually, Siette became a target for other over-zealous trolls. While Siette is more than capable at defending herself, Annie began assassinating these trolls for Siette in secret, so she could continue living her life however she pleased.
==Personality and Traits==
Annie is cold towards others, and is still very formal with Siette. Annie only acts for Siette's benefit, and as such keeps most people at an arms distance. However, she has been shown to be kind to Siniix.
==Relationships==
* [[Siette Aerien|Siette]] is Annie's employer, and Annie has a repressed flushed crush for her.
* [[Awoole_Fenrir|Awoole]] is Annie's kismesis. Annie met Awoole during her work for Siette. She commissioned Awoole to repair and customize a set of throwing axes for Siette. She found Awoole's tone toward her to be abrasive and offensive, but his craftsmanship was undeniable. She believes that if he improves his attitude, and gets over his hatred of highbloods, he can be more successful.
* [[Siniix Auctor|Siniix]] is one of Annie's friends. They share an interest in tea, and literature.
* Annie is suspicious of [[Looksi Gumshu|Looksi]].
* Annie likes [[Mabuya Arnava|Mabuya]], [[Knight Galfry|Knight]], and [[Paluli Anriqi|Paluli]].
==Trivia==
* Annie's lusus is a panther.
* The interior of Annie's hive is lined in bookshelves. Her hive acts as a large personal library.
* Annie wears goth clothing, inspired by 90s goth looks.
* Annie is partially inspired by [https://danganronpa.fandom.com/wiki/Kirumi_Tojo Kirumi Tojo] from Danganronpa V3.
* Annie makes weapons from the bones of those she kills.
==Gallery==
<gallery widths=200px heights=150px>
File:Anyaru_Servus_Longcoat.png|Annie's long coat, from her concept art.
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
b68e473bfefca7a3b628061b4ad32c5e10f36db3
Looksi Gumshu/Infobox
0
35
883
857
2023-10-23T01:40:25Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{Character Infobox
|name = Looksi Gumshu
|symbol = [[File:Libza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex = [[File:Looksi Sprite.png]]
|caption = {{RS quote|Teal| 𝙲𝚞𝚝 𝚝𝚑𝚎 𝚜𝚑𝚒𝚝 𝙼𝚌𝚛𝚒𝚋𝚋.}}
|intro =
|title = {{Classpect|Mind|Knight}}
|age = {{Age|10.5}}
|gender = He/Him (Male)
|status = Alive
|screenname = phlegmaticInspector
|style = 𝚄𝚜𝚎𝚜 𝚝𝚢𝚙𝚎𝚠𝚛𝚒𝚝𝚎𝚛 𝚏𝚘𝚗𝚝, 𝚊𝚗𝚍 𝚊𝚕𝚜𝚘 𝚑𝚊𝚜 𝚊 𝚐𝚘𝚘𝚍 𝚜𝚎𝚗𝚜𝚎 𝚘𝚏 𝚙𝚞𝚗𝚌𝚝𝚞𝚊𝚝𝚒𝚘𝚗 𝚊𝚗𝚍 𝚐𝚛𝚊𝚖𝚖𝚊𝚛. 𝙼𝚊𝚢 𝚊𝚕𝚜𝚘 𝚜𝚙𝚎𝚊𝚔 𝚒𝚗 𝚍𝚎𝚝𝚎𝚌𝚝𝚒𝚟𝚎 𝚗𝚘𝚒𝚛𝚎 𝚍𝚒𝚊𝚕𝚘𝚐𝚞𝚎.
|specibus = Pistolkind
|modus = Scotch
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Teal|Drewcy/Arsene Ripper}}]] - [[Relation Link Page(ie: )|(EX) Matesprites/Moirails (Dead)]]
[[Character you want to Link to’s URL Name|{{RS quote|Blue|Jonesy Triton}}]] - [[Relation Link Page(ie: )|Assistant (Dead) ]]
[[Character you want to Link to’s URL Name|{{RS quote|Teal|The Sherlock}}]] - [[Relation Link Page(ie: )|Ancestor]]
|planet = Land of Libraries and Labyrinths
|likes = Cigars, Coffee
|dislikes = Betrayal, Skoozy
|aka = Detective, {{RS quote|Teal|Looker}} (Arsene), <br />
{{RS quote|Bronzeblood|Bossman}} ([[Ponzii]]) <br />
|creator = Wowz}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
b14c7ce94174d845cfc4694effe699150f553d70
884
883
2023-10-23T01:51:08Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{Character Infobox
|name = Looksi Gumshu
|symbol = [[File:Libza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex = [[File:Looksi Sprite.png]]
|caption = {{RS quote|Teal| 𝙲𝚞𝚝 𝚝𝚑𝚎 𝚜𝚑𝚒𝚝 𝙼𝚌𝚛𝚒𝚋𝚋.}}
|intro =
|title = {{Classpect|Mind|Knight}}
|age = {{Age|10.5}}
|gender = He/Him (Male)
|status = Alive
|screenname = phlegmaticInspector
|style = 𝚄𝚜𝚎𝚜 𝚝𝚢𝚙𝚎𝚠𝚛𝚒𝚝𝚎𝚛 𝚏𝚘𝚗𝚝, 𝚊𝚗𝚍 𝚊𝚕𝚜𝚘 𝚑𝚊𝚜 𝚊 𝚐𝚘𝚘𝚍 𝚜𝚎𝚗𝚜𝚎 𝚘𝚏 𝚙𝚞𝚗𝚌𝚝𝚞𝚊𝚝𝚒𝚘𝚗 𝚊𝚗𝚍 𝚐𝚛𝚊𝚖𝚖𝚊𝚛. 𝙼𝚊𝚢 𝚊𝚕𝚜𝚘 𝚜𝚙𝚎𝚊𝚔 𝚒𝚗 𝚍𝚎𝚝𝚎𝚌𝚝𝚒𝚟𝚎 𝚗𝚘𝚒𝚛𝚎 𝚍𝚒𝚊𝚕𝚘𝚐𝚞𝚎.
|specibus = Pistolkind
|modus = Scotch
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Teal|Drewcy/Arsene Ripper}}]] - [[Relation Link Page(ie: )|(EX) Matesprites/Moirails (Dead)]]
[[Character you want to Link to’s URL Name|{{RS quote|Blue|Jonesy Triton}}]] - [[Relation Link Page(ie: )|Assistant (Dead) ]]
[[Character you want to Link to’s URL Name|{{RS quote|Teal|The Sherlock}}]] - [[Relation Link Page(ie: )|[[Ancestors|Ancestor]]]]
|planet = Land of Libraries and Labyrinths
|likes = Cigars, Coffee
|dislikes = Betrayal, Skoozy
|aka = Detective, {{RS quote|Teal|Looker}} (Arsene), <br />
{{RS quote|Bronzeblood|Bossman}} ([[Ponzii]]) <br />
|creator = Wowz}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
a07ae63fd88de38cd0445332ff413ea2c9963b15
885
884
2023-10-23T01:51:30Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{Character Infobox
|name = Looksi Gumshu
|symbol = [[File:Libza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex = [[File:Looksi Sprite.png]]
|caption = {{RS quote|Teal| 𝙲𝚞𝚝 𝚝𝚑𝚎 𝚜𝚑𝚒𝚝 𝙼𝚌𝚛𝚒𝚋𝚋.}}
|intro =
|title = {{Classpect|Mind|Knight}}
|age = {{Age|10.5}}
|gender = He/Him (Male)
|status = Alive
|screenname = phlegmaticInspector
|style = 𝚄𝚜𝚎𝚜 𝚝𝚢𝚙𝚎𝚠𝚛𝚒𝚝𝚎𝚛 𝚏𝚘𝚗𝚝, 𝚊𝚗𝚍 𝚊𝚕𝚜𝚘 𝚑𝚊𝚜 𝚊 𝚐𝚘𝚘𝚍 𝚜𝚎𝚗𝚜𝚎 𝚘𝚏 𝚙𝚞𝚗𝚌𝚝𝚞𝚊𝚝𝚒𝚘𝚗 𝚊𝚗𝚍 𝚐𝚛𝚊𝚖𝚖𝚊𝚛. 𝙼𝚊𝚢 𝚊𝚕𝚜𝚘 𝚜𝚙𝚎𝚊𝚔 𝚒𝚗 𝚍𝚎𝚝𝚎𝚌𝚝𝚒𝚟𝚎 𝚗𝚘𝚒𝚛𝚎 𝚍𝚒𝚊𝚕𝚘𝚐𝚞𝚎.
|specibus = Pistolkind
|modus = Scotch
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Teal|Drewcy/Arsene Ripper}}]] - [[Relation Link Page(ie: )|(EX) Matesprites/Moirails (Dead)]]
[[Character you want to Link to’s URL Name|{{RS quote|Blue|Jonesy Triton}}]] - [[Relation Link Page(ie: )|Assistant (Dead) ]]
[[Character you want to Link to’s URL Name|{{RS quote|Teal|The Sherlock}}]] - [)|[[Ancestors|Ancestor]]
|planet = Land of Libraries and Labyrinths
|likes = Cigars, Coffee
|dislikes = Betrayal, Skoozy
|aka = Detective, {{RS quote|Teal|Looker}} (Arsene), <br />
{{RS quote|Bronzeblood|Bossman}} ([[Ponzii]]) <br />
|creator = Wowz}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
bf7035ed755ee1d0d9832b4ebf966185fd4e1778
886
885
2023-10-23T01:53:09Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{Character Infobox
|name = Looksi Gumshu
|symbol = [[File:Libza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex = [[File:Looksi Sprite.png]]
|caption = {{RS quote|Teal| 𝙲𝚞𝚝 𝚝𝚑𝚎 𝚜𝚑𝚒𝚝 𝙼𝚌𝚛𝚒𝚋𝚋.}}
|intro =
|title = {{Classpect|Mind|Knight}}
|age = {{Age|10.5}}
|gender = He/Him (Male)
|status = Alive
|screenname = phlegmaticInspector
|style = 𝚄𝚜𝚎𝚜 𝚝𝚢𝚙𝚎𝚠𝚛𝚒𝚝𝚎𝚛 𝚏𝚘𝚗𝚝, 𝚊𝚗𝚍 𝚊𝚕𝚜𝚘 𝚑𝚊𝚜 𝚊 𝚐𝚘𝚘𝚍 𝚜𝚎𝚗𝚜𝚎 𝚘𝚏 𝚙𝚞𝚗𝚌𝚝𝚞𝚊𝚝𝚒𝚘𝚗 𝚊𝚗𝚍 𝚐𝚛𝚊𝚖𝚖𝚊𝚛. 𝙼𝚊𝚢 𝚊𝚕𝚜𝚘 𝚜𝚙𝚎𝚊𝚔 𝚒𝚗 𝚍𝚎𝚝𝚎𝚌𝚝𝚒𝚟𝚎 𝚗𝚘𝚒𝚛𝚎 𝚍𝚒𝚊𝚕𝚘𝚐𝚞𝚎.
|specibus = Pistolkind
|modus = Scotch
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Teal|Drewcy/Arsene Ripper}}]] - [[Relation Link Page(ie: )|(EX) Matesprites/Moirails (Dead)]]
[[Character you want to Link to’s URL Name|{{RS quote|Blue|Jonesy Triton}}]] - [[Relation Link Page(ie: )|Assistant (Dead) ]]
[[Character you want to Link to’s URL Name|{{RS quote|Teal|The Sherlock}}]] - [[Ancestors|Ancestor]]
|planet = Land of Libraries and Labyrinths
|likes = Cigars, Coffee
|dislikes = Betrayal, Skoozy
|aka = Detective, {{RS quote|Teal|Looker}} (Arsene), <br />
{{RS quote|Bronzeblood|Bossman}} ([[Ponzii]]) <br />
|creator = Wowz}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
42321f05cf713cfd693b4ae9979de743682f2445
889
886
2023-10-23T22:07:24Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{Character Infobox
|name = Looksi Gumshu
|symbol = [[File:Libza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex = [[File:Looksi Sprite.png]]
|caption = {{RS quote|Teal| 𝙲𝚞𝚝 𝚝𝚑𝚎 𝚜𝚑𝚒𝚝 𝙼𝚌𝚛𝚒𝚋𝚋.}}
|intro =
|title = {{Classpect|Mind|Knight}}
|age = {{Age|10.5}}
|gender = He/Him (Male)
|status = Alive
|screenname = phlegmaticInspector
|style = 𝚄𝚜𝚎𝚜 𝚝𝚢𝚙𝚎𝚠𝚛𝚒𝚝𝚎𝚛 𝚏𝚘𝚗𝚝, 𝚊𝚗𝚍 𝚊𝚕𝚜𝚘 𝚑𝚊𝚜 𝚊 𝚐𝚘𝚘𝚍 𝚜𝚎𝚗𝚜𝚎 𝚘𝚏 𝚙𝚞𝚗𝚌𝚝𝚞𝚊𝚝𝚒𝚘𝚗 𝚊𝚗𝚍 𝚐𝚛𝚊𝚖𝚖𝚊𝚛. 𝙼𝚊𝚢 𝚊𝚕𝚜𝚘 𝚜𝚙𝚎𝚊𝚔 𝚒𝚗 𝚍𝚎𝚝𝚎𝚌𝚝𝚒𝚟𝚎 𝚗𝚘𝚒𝚛𝚎 𝚍𝚒𝚊𝚕𝚘𝚐𝚞𝚎.
|specibus = Pistolkind
|modus = Scotch
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Teal|Drewcy/Arsene Ripper}}]] - [[Relation Link Page(ie: )|(EX) Matesprites/Moirails (Dead)]]
[[Character you want to Link to’s URL Name|{{RS quote|Blue|Jonesy Triton}}]] - [[Relation Link Page(ie: )|Assistant (Dead) ]]
[[Character you want to Link to’s URL Name|{{RS quote|Teal|The Sherlock}}]] - [[Ancestors|Ancestor]]
|planet = Land of Libraries and Labyrinths
|likes = Cigars, Coffee
|dislikes = Betrayal, [[Skoozy Mcribb|Skoozy]]
|aka = Detective, {{RS quote|Teal|Looker}} (Arsene), <br />
{{RS quote|Bronzeblood|Bossman}} ([[Ponzii]]) <br />
|creator = Wowz}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
c9efa965af23640ddd6e09b980cb56d97882fc13
Calico Drayke
0
2
887
760
2023-10-23T15:07:40Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Calico Drayke''', also known by his [[Moonbounce|Moonbounce]] tag, '''languidMarauder''', is one of the major pirate characters and a minor antagonist at times in [[Re:Symphony]]. His sign is Aquiun and he is the Captain upon the ''Lealda's Dream''.
He joined the server on 9/22/2021, after finding a message in a bottle that contained the link to the server, along with [[Tewkid Bownes|Tewkid]].
==Etymology==
"Calico" was taken from the first name of the pirate "Calico Jack" and "Drayke" comes from the surname of the pirate "Francis Drake".
Languid, from his username, is taken from his smooth and relatively easy-going personality, while Marauder is a clear reference to his ancestor.
==Biography==
===Early Life===
Calico has been sailing as a Pirate Captain since he was incredibly young, with Tewkid as his first mate. Pyrrah attempted to capture them as a bounty, but failed due to Lealda's intervention. Calico and his crew eventually were the targets of a allegiance between Lealda's treasonous crew-mates and another crew of Bluebloods, and they were captured. Lealda once again came to their rescue, and they fought the Bluebloods and double-crossers together. With their remaining members, they merged the two crews. During the conflict, Calico's right eye was permanently damaged.
Lealda got into contact with Skoozy at some point after they merged crews, and he replaced Calico's damaged eye.
Lealda's death was a turning point for Calico and the crew. Teals tried to blame him for their death, but Skoozy was able to get him out of it.
===Act 1===
Calico was asked by Skoozy to crash the server's very first Party, out of petty revenge since he was explicitly not invited to come. He made his first appearance by going around the party gathering dirt on everyone present, then stirring drama up within all of the different groups there. He caused the party to become complete pandemonium before their ship finally crashed into the building, releasing Tewkid & the rest of the crew into the mayhem. They then began badgering and fucking with people in real time, before eventually heading off.
Calico and Tewkid joined the server shortly after this, though Calico hardly ever spoke in it.
===Act 2===
==Personality and Traits==
Calico is a guy that, on a general basis, takes it pretty easy. He's incredibly loyal, both to those who he fully trusts and his beliefs. He can easily enact brutality without any remorse. He's very manipulative and a talented actor. He's soooo cooooool.
==Relationships==
====[[Tewkid Bownes|Tewkid]]====
Tewkid was Calico's closest friend and confidante. He would go through thick and thin for Tewkid, sacrifice anything for him... Calico has known Tewkid longer than anyone else, and until the Fight they were best friends. After the Fight, however, Calico found out that Tewkid was The Deceiver's descendant, and did a complete 180 on him. If not for their prior relationship, Calico would have killed him where he stood, but he was unsure of what to do. Tensions rose on board until Calico finally confronted Tewkid once more about his ancestor, and implied he was going to kick Tewkid from the ship before Pyrrah attacked them and Calico was kidnapped. They have not communicated since.
====[[Skoozy Mcribb|Skoozy]]====
Skoozy has been a close friend of Calico's for a long time. Sometime between Skoozy replacing his eye while they were kids and helping him out with the teals after Lealda's death, they managed to form quite a strong bond. Calico is aware that Skoozy is not a good individual, but he isn't entirely aware of how despicable Skoozy can get.
====[[Salang Lyubov|Venus]]====
====[[Pyrrah Kappen|Pyrrah]]====
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
27775d41a71f9d9b690bfa436421a5dbf31d4104
929
887
2023-10-24T03:43:59Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Calico Drayke''', also known by his [[Moonbounce|Moonbounce]] tag, '''languidMarauder''', is one of the major pirate characters and a minor antagonist at times in [[Re:Symphony]]. His sign is Aquiun and he is the Captain upon the ''[[Lealda's Dream]]''.
He joined the server on 9/22/2021, after finding a message in a bottle that contained the link to the server, along with [[Tewkid Bownes|Tewkid]].
==Etymology==
"Calico" was taken from the first name of the pirate "Calico Jack" and "Drayke" comes from the surname of the pirate "Francis Drake".
Languid, from his username, is taken from his smooth and relatively easy-going personality, while Marauder is a clear reference to his ancestor.
==Biography==
===Early Life===
Calico has been sailing as a Pirate Captain since he was incredibly young, with Tewkid as his first mate. Pyrrah attempted to capture them as a bounty, but failed due to Lealda's intervention. Calico and his crew eventually were the targets of a allegiance between Lealda's treasonous crew-mates and another crew of Bluebloods, and they were captured. Lealda once again came to their rescue, and they fought the Bluebloods and double-crossers together. With their remaining members, they merged the two crews. During the conflict, Calico's right eye was permanently damaged.
Lealda got into contact with Skoozy at some point after they merged crews, and he replaced Calico's damaged eye.
Lealda's death was a turning point for Calico and the crew. Teals tried to blame him for their death, but Skoozy was able to get him out of it.
===Act 1===
Calico was asked by Skoozy to crash the server's very first Party, out of petty revenge since he was explicitly not invited to come. He made his first appearance by going around the party gathering dirt on everyone present, then stirring drama up within all of the different groups there. He caused the party to become complete pandemonium before their ship finally crashed into the building, releasing Tewkid & the rest of the crew into the mayhem. They then began badgering and fucking with people in real time, before eventually heading off.
Calico and Tewkid joined the server shortly after this, though Calico hardly ever spoke in it.
===Act 2===
==Personality and Traits==
Calico is a guy that, on a general basis, takes it pretty easy. He's incredibly loyal, both to those who he fully trusts and his beliefs. He can easily enact brutality without any remorse. He's very manipulative and a talented actor. He's soooo cooooool.
==Relationships==
====[[Tewkid Bownes|Tewkid]]====
Tewkid was Calico's closest friend and confidante. He would go through thick and thin for Tewkid, sacrifice anything for him... Calico has known Tewkid longer than anyone else, and until the Fight they were best friends. After the Fight, however, Calico found out that Tewkid was The Deceiver's descendant, and did a complete 180 on him. If not for their prior relationship, Calico would have killed him where he stood, but he was unsure of what to do. Tensions rose on board until Calico finally confronted Tewkid once more about his ancestor, and implied he was going to kick Tewkid from the ship before Pyrrah attacked them and Calico was kidnapped. They have not communicated since.
====[[Skoozy Mcribb|Skoozy]]====
Skoozy has been a close friend of Calico's for a long time. Sometime between Skoozy replacing his eye while they were kids and helping him out with the teals after Lealda's death, they managed to form quite a strong bond. Calico is aware that Skoozy is not a good individual, but he isn't entirely aware of how despicable Skoozy can get.
====[[Salang Lyubov|Venus]]====
====[[Pyrrah Kappen|Pyrrah]]====
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
f962b6fb8a8484c25552fadc07764879fe67e08d
Siniix Auctor
0
436
888
874
2023-10-23T22:00:10Z
HowlingHeretic
3
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Siniix Auctor}}
'''Siniix Auctor''' also known by her [[Moonbounce]] handle, {{RS quote|jadeblood|temporalDramatist}}. Her sign is [http://hs.hiveswap.com/ezodiac/truesign.php?TS=Virsci Virsci], and a '''Prospit''' dreamer. She is a '''Witch of Life'''. Her actual age is unknown, aside that she is over 8 sweeps old, as is her birth date. Her ancestor is unknown. Her lusus was a deer, and has been deceased for a very long time. She never got to say goodbye.
Siniix joined the chatroom on 1/17/2023, after the message of her joining the chatroom appeared on her typewriter. Her typewriter stopped transmitting messages to the chatroom after she set up [[Moonbounce]] on her palmhusk.
==Etymology==
"Siniix," has no discernible meaning. "Auctor," is defined as an "[https://en.wiktionary.org/wiki/auctor obsolete form of author]." The first word of her chat handle, temporal, is presumably in reference to her historical plays and musicals. Dramatist is similarly related to her profession.
==Biography==
===Early Life===
Siniix has no record of any presence on Alternia before 2.5 sweeps before the present day, and when questioned about this, is incredibly cagey about the topic. Siniix is a popular playwright, and her plays are typically based off of records of ancestors. Siniix has a personal collection of ancient scrolls, all of which are in shockingly pristine condition. Siniix' canonical plays are usually trollified versions of popular musicals and plays in real life. Some examples are Phantom of the Opera, and Ride the Cyclone. Siniix lives close to New Troll City for work purposes, but lives far enough away that she can live a secluded life in a small cottage.
==Personality and Traits==
Siniix is very kind towards others, and very humble in regards to her plays' popularity. She generally likes most chat members, even if they've been openly hostile towards other chat members. She has a strong interest in literature and historical records. She has mentioned that she has a contact at the library in New Troll City who would lets her into the historical section with the "good stuff," implied to be restricted records. She enjoys baking, and making tea.
==Relationships==
* [[Knight_Galfry|Knight Galfry]] is a pen-pal of Siniix. Siniix suggested that she and Knight become pen-pals primarily because she had already developed a red crush on Knight. This crush continues to grow in intensity as time goes on. Siniix loves how chivalrous Knight is. Siniix was drawn to Knight initially because of her being a swordswoman, something Siniix has a particular liking for. Siniix also likes Knight's tone of text, which she usually interprets as commanding, but sweet.
* [[Looksi_Gumshu|Looksi Gumshu]] is another red crush of Siniix. While not as intense as the one she has for Knight, she admires his profession, and finds his manner of speech to be attractive.
* [[Anyaru_Servus|Anyaru Servus]] is a friend of Siniix. She and Annie share a love for literature and tea. While they aren't close, it's implied that the two have had tea together on prior occasions.
==Trivia==
* Siniix has an [https://open.spotify.com/playlist/2aW4yfIuMuhFgyJxtCYW46?si=768df5e530684555 official playlist].
* Siniix was inspired by the Greek poet Sappho.
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
ae4e143c17c7030f4d03d4bd8635a4a21c75193c
912
888
2023-10-24T01:46:20Z
HowlingHeretic
3
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Siniix Auctor}}
'''Siniix Auctor''' also known by her [[Moonbounce]] handle, {{RS quote|jadeblood|temporalDramatist}}. Her sign is [http://hs.hiveswap.com/ezodiac/truesign.php?TS=Virsci Virsci], and a '''Prospit''' dreamer. She is a '''Witch of Life'''. Her actual age is unknown, aside that she is over 8 sweeps old, as is her birth date. Her ancestor is unknown. Her lusus was a deer, and has been deceased for a very long time. She never got to say goodbye.
Siniix joined the chatroom on 1/17/2023, after the message of her joining the chatroom appeared on her typewriter. Her typewriter stopped transmitting messages to the chatroom after she set up [[Moonbounce]] on her palmhusk.
==Etymology==
"Siniix," has no discernible meaning. "Auctor," is defined as an "[https://en.wiktionary.org/wiki/auctor obsolete form of author]." The first word of her chat handle, temporal, is presumably in reference to her historical plays and musicals. Dramatist is similarly related to her profession.
==Biography==
===Early Life===
Siniix has no record of any presence on Alternia before 2.5 sweeps before the present day, and when questioned about this, is incredibly cagey about the topic. Siniix is a popular playwright, and her plays are typically based off of records of ancestors. Siniix has a personal collection of ancient scrolls, all of which are in shockingly pristine condition. Siniix' canonical plays are usually trollified versions of popular musicals and plays in real life. Some examples are Phantom of the Opera, and Ride the Cyclone. Siniix lives close to New Troll City for work purposes, but lives far enough away that she can live a secluded life in a small cottage.
==Personality and Traits==
Siniix is very kind towards others, and very humble in regards to her plays' popularity. She generally likes most chat members, even if they've been openly hostile towards other chat members. She has a strong interest in literature and historical records. She has mentioned that she has a contact at the library in New Troll City who would lets her into the historical section with the "good stuff," implied to be restricted records. She enjoys baking, and making tea.
==Relationships==
* [[Knight_Galfry|Knight Galfry]] is a pen-pal of Siniix. Siniix suggested that she and Knight become pen-pals primarily because she had already developed a red crush on Knight. This crush continues to grow in intensity as time goes on. Siniix loves how chivalrous Knight is. Siniix was drawn to Knight initially because of her being a swordswoman, something Siniix has a particular liking for. Siniix also likes Knight's tone of text, which she usually interprets as commanding, but sweet.
* [[Looksi_Gumshu|Looksi Gumshu]] is another red crush of Siniix. While not as intense as the one she has for Knight, she admires his profession, and finds his manner of speech to be attractive.
* [[Anyaru_Servus|Anyaru Servus]] is a friend of Siniix. She and Annie share a love for literature and tea. While they aren't close, it's implied that the two have had tea together on prior occasions.
==Trivia==
* Siniix has an [https://open.spotify.com/playlist/2aW4yfIuMuhFgyJxtCYW46?si=768df5e530684555 official playlist].
* Siniix was inspired by the Greek poet Sappho.
==Gallery==
<gallery widths=200px heights=150px>
File:Siniix_Auctor_Witch.png|Siniix's carving night outfit.
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
e069c5139bde8ecc46d54c4d9354f04cfa66fc12
Awoole Fenrir/Infobox
0
455
890
813
2023-10-23T22:27:39Z
HowlingHeretic
3
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:Taurmini.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|Bronzeblood|Woof. What}}
|intro = 4/21/22
|title = {{Classpect|Doom|Witch}}
|age = {{Age|8}}
|gender = He/They (Nonbinary-Transmasc)
|status = Alive
|screenname = tinkeringLycan
|style = Begins every sentence with an onomatopoeia, such as Woof, Arf, Bark, etc. Capitalizes "W"s.
|specibus = Toolkind
|modus = Tool box
|relations = [[Anyaru_Servus|{{RS quote|ceruleanblood|Anyaru Servus}}]] - [[Kismesis|Kismesis]] </br>
{{RS quote|jade|Esceia}} - [[Matesprites|Matesprit]]
|planet = Land of Steel and Caves
|likes = Fellow lowbloods, engineering, wolves, punk music,
|dislikes = Highbloods
|aka = Puppy (Esceia)
|creator = Howl}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
f21f84cedc04af26a2f7e517b434e7b24d31ea07
906
890
2023-10-24T01:20:24Z
HowlingHeretic
3
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:Taurmini.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = [[File:Awoole_Fenrir.png]]
|caption = {{RS quote|Bronzeblood|Woof. What}}
|intro = 4/21/22
|title = {{Classpect|Doom|Witch}}
|age = {{Age|8}}
|gender = He/They (Nonbinary-Transmasc)
|status = Alive
|screenname = tinkeringLycan
|style = Begins every sentence with an onomatopoeia, such as Woof, Arf, Bark, etc. Capitalizes "W"s.
|specibus = Toolkind
|modus = Tool box
|relations = [[Anyaru_Servus|{{RS quote|ceruleanblood|Anyaru Servus}}]] - [[Kismesis|Kismesis]] </br>
{{RS quote|jadeblood|Esceia}} - [[Matesprites|Matesprit]]
|planet = Land of Steel and Caves
|likes = Fellow lowbloods, engineering, wolves, punk music,
|dislikes = Highbloods
|aka = Puppy (Esceia)
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
d58fe0b2fff38be93db23c7eb3b8513538f164c9
Looksi Gumshu
0
9
891
307
2023-10-23T23:06:30Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{/Infobox}}
'''Looksi Gumshu''', also known by his Moonbounce handle '''phlegmaticInspector''', is one of the trolls in RE: Symphony. His sign is Libza.
He joined day one of the server by means of a strange code that he received on his husktop.
==Etymology==
Looksi Gumshu is based on the words 'Look-see' and 'Gumshoe'. Which ties into his occupation of being a Detective. For his handle, Phlegmatic means 'a person having an unemotional and stolidly calm disposition.' As Looksi usually has when he solves a case or his demeanor in general. Inspector is his occupation, for his city, New Troll City. His handle acronyms 'PI' is also a joke on the acronym for Private Investigator.
==Biography==
===Early Life===
Looksi for a good long term of his life was a snarky, alcoholic detective who was amazing at solving crimes, guy could tell someone was lying the second he spoke to them. He worked in the precinct New Troll City and had a huge crush on the Scientific Investigator, Drewcy and the two would work on crimes together as well. It was a partnership both romantically and work wise. At some point during Looksi's career, a young cerulean by the name of Jonesy Triton saw how this bad ass detective would work and wanted to grow up to be him one day. So he pestered and begged to be his assistant to which Looksi (mostly Drewcy just telling him he should do it) agreed. And overtime Looksi dropped his addiction to alcohol as the biggest serial killer case was going on, a teal blood going around killing highbloods. Looksi and gang took on the case, and one day, Jonesy wanted to do more so he begged and cried until Looksi let him investigate on his own and Looksi agreed. He didn't think the kid was going to solve the crime. He thought it was going to be some dead end, but eventually Looksi figured it out too and saw that Jonesy was mere seconds from dying by a trap from the killer. Before Looksi could even say anything- Jonesy gets crushed by the big crate. And the killer is revealed to be none other than Drewcy, or rather their real name. Arsene Ripper. And Looksi because of conflicted feeling lets Arsene go on accident. And ever since then, Looksi Gumshu will not work with anyone or trust anyone ever again.
===Act 1===
==Personality and Traits==
Looksi is a very mature and responsible troll who will do what he can to solve the case at hand. For a good portion of his life he was a drunken bastard with no sense of care for himself but still cared deeply about others in his life. After the Arsene incident, Looksi shut off everyone around him and would carry the burden all by himself, vowing to never trust anyone again. Eventually during his time in the chatroom he is slowly opening up to others and letting them in his life, but he still has doubt and worry over everything, especially since the Skoozy ordeal.
==Relationships==
===Drewcy/Arsene Ripper===
Like stated earlier, Looksi and Arsene have known eachother for years and have worked together as well. The two started out as moirails but then grew into a matespritship. However, it was all unfortunatly one sided due to Arsene being a serial killer and was only using Looksi, to which when Arsene escaped led him down a long and heartbroken path of no longer trusting or loving anyone ever again.
===Jonesy Triton===
Also stated earlier, Jonesy looked up to Looksi as a mentor and wanted to be just like him when he gets older. When Looksi was recovering from his addiction, he and Jonesy did become closer and did care for the little fella. He still has the mug that Jonesy gave him for his wriggling day, A white mug that reads "World's Greatest Detective".
===[[Siette Aerien]]===
The two met in the chatroom and never really cared about what either did, Siette with a bit more hostility due to Looksi being a cop. But after a while, the two became good friends.
===[[Skoozy Mcribb]]===
After Skoozy revealed his true colors and intent, Looksi vowed to put a stop to him. Unfortunately, it has been quite the battle both physically and mentally for him.
==Trivia==
• Design is based on Almond Cookie from Cookie Run.
• Roughly smokes 3 cigars a day. More if he's on the clock or stressed out.
• He can sing really well, as long as it's Franks Inatra. (Well known Troll Musician.) Otherwise he will just speak the song or not sing at all.
==Gallery==
[[File:Officer Down!.png|200px]]
[[File:Looksi at his office.png|200px]]
[[File:The Hell?.png|200px|Don't tell him.]]
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
f7adee2737c263f2f5256cedfe7dcc8d4a538ca5
File:Anyaru Servus.png
6
481
892
2023-10-24T00:34:41Z
HowlingHeretic
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Anyaru Servus Longcoat.png
6
482
893
2023-10-24T00:34:53Z
HowlingHeretic
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Awoole Fenrir.png
6
483
894
2023-10-24T00:35:27Z
HowlingHeretic
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Awoole Fenrir Shirtless.png
6
484
895
2023-10-24T00:36:28Z
HowlingHeretic
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Siette Aerien.png
6
485
896
2023-10-24T00:36:45Z
HowlingHeretic
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Siette Aerien Fancy.png
6
486
897
2023-10-24T00:36:58Z
HowlingHeretic
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
898
897
2023-10-24T00:37:19Z
HowlingHeretic
3
wikitext
text/x-wiki
The outfit Siette wore to the party.
8782f22f17a4dd1b35b5847628045325af4999c7
File:Siette Aerien Performance.png
6
487
899
2023-10-24T00:37:41Z
HowlingHeretic
3
Siette's performance outfit.
wikitext
text/x-wiki
== Summary ==
Siette's performance outfit.
f06146915de0676d5f785e940c6620d2ecdcd151
File:Siette Aerien Prospit.png
6
488
900
2023-10-24T00:38:17Z
HowlingHeretic
3
Siette's prospit outfit.
wikitext
text/x-wiki
== Summary ==
Siette's prospit outfit.
5990362eb04e276883b554011762af0f4580a712
File:Siniix Auctor.png
6
489
901
2023-10-24T00:38:48Z
HowlingHeretic
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Siniix Auctor Witch.png
6
490
902
2023-10-24T00:39:19Z
HowlingHeretic
3
Siniix's carving night outfit.
wikitext
text/x-wiki
== Summary ==
Siniix's carving night outfit.
727232f2548f4917c53e9a21a309d9aef1fc39b5
Siette Aerien/Infobox
0
106
903
801
2023-10-24T00:41:41Z
HowlingHeretic
3
wikitext
text/x-wiki
{{Character Infobox
|name = Siette Aerien
|symbol = [[File:Capricorn.png|32px]]
|symbol2 = [[File:Aspect_Rage.png|32px]]
|complex = [[File:Siette_Aerien.png]]
|caption = {{RS quote|purpleblood|5quirm.}}
|intro = 8/20/2021
|title = {{Classpect|Rage|Witch}}
|age = {{Age|9.5}}
|gender = She/They (Nonbinary)
|status = Alive </br>
Traveling </br>
On a killing spree </br>
|screenname = balefulAcrobat
|style = Replaces "E," with "3," and "S," with "5." Primarily types in lowercase.
|specibus = Axekind, Whipkind
|modus = Modus
|relations = [[Mabuya Arnava|{{RS quote|violetblood|Mabuya Arnava}}]] - [[Matesprites|Matesprit]]
|planet = Land of Mirage and Storm
|likes = Faygo, Murder, Silk Dancing
|dislikes = [[Guppie Suamui|{{RS quote|violetblood|Guppie Suamui}}]], [[Awoole Fenrir|{{RS quote|bronzeblood|Awoole Fenrir}}]]
|aka = {{RS quote|violetblood|Sisi, Strawberry}} ([[Mabuya Arnava|Mabuya]])
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
5b0d48561bf2ebafea6a3a58d5340b12a6269712
Siniix Auctor/Infobox
0
453
904
875
2023-10-24T00:44:24Z
HowlingHeretic
3
wikitext
text/x-wiki
{{Character Infobox
|name = Siniix Auctor
|symbol = [[File:Virsci.png|32px]]
|symbol2 = [[File:Aspect_Life.png|25px]]
|complex = [[File:Siniix_Auctor.png]]
|caption = {{RS quote|jadeblood|☆ hi...! ☆}}
|intro = 1/17/2023
|title = {{Classpect|Life|Witch}}
|age = {{Age|8}} ?
|gender = She/Her (Female)
|status = Alive
|screenname = temporalDramatist
|style = Begins and ends with a star, ☆, and capitalizes "L."
|specibus = Quillkind
|modus = Messenger Bag
|relations = [[Knight Galfry|{{RS quote|Indigoblood|Knight Galfry}}]] - Love interest
|planet = Land of Parchment and Cracked Mirrors
|likes = Literature, tea, historical records, romance, swordswomen
|dislikes = Coffee, crowded places
|aka = Snips
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
304bb4c33fde75f2b33adc76fb92fd2335ca714c
User:HowlingHeretic
2
491
905
2023-10-24T00:47:42Z
HowlingHeretic
3
Created page with "have you ever thought about death and dream bubbles"
wikitext
text/x-wiki
have you ever thought about death and dream bubbles
c5f72f2764931e1b460f1cd1fb095b04401797ba
Anyaru Servus/Infobox
0
454
907
812
2023-10-24T01:32:42Z
HowlingHeretic
3
wikitext
text/x-wiki
{{Character Infobox
|name = Anyaru Servus
|symbol = [[File:Scorza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex = [[File:Anyaru_Servus.png]]
|caption = {{RS quote|ceruleanblood| 📖 Greetings. 📘}}
|intro = day they joined server
|title = {{Classpect|Mind|Seer}}
|age = {{Age|9}}
|gender = She/They(Agender)
|status = Alive
|screenname = calmingHyacinth
|style = Begins with an open book, and ends with a closed book.
|specibus = Bonekind
|modus = Encyclopedia
|relations = [[Siette_Aerien|{{RS quote|purpleblood|Siette Aerien}}]] - [[Flush crush]] </br>
[[Awoole_Fenrir|{{RS quote|bronzeblood|Awoole Fenrir}}]] - [[Kismesis|Kismesis]]
|planet = Land of Libraries and Bone
|likes = Literature, tea, whiskey, guns, gothic design and clothing
|dislikes = Anyone who Siette dislikes
|aka = Annie (Siette)
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
7dbd434decf10994152594ebed86d5b9c6071c73
File:Calico Drayke Young.png
6
492
908
2023-10-24T01:37:34Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Calico Drayke/Infobox
0
38
909
221
2023-10-24T01:43:02Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = <tabber>
|-| Present= [[File:Calico_Drayke.png]]
|-| Past ▾={{#tag:tabber|
{{!}}-{{!}}Young=[[File:Calico_Drayke_Young.png]]}}
</tabber>
|caption = {{RS quote|violetblood|[[File:Calflag.png|15px]] always, tewkid. ill always be by yer side. and ye'll always be by mine.}}
|intro = 9/22/2021
|title = {{Classpect|Breath|Thief}}
|age = {{Age|9}}
|gender = He/Him (Male)
|status = Alive <br />
Kidnapped
|screenname = languidMarauder
|style = Starts his messages with their ship's flag. Types out his pirate accent (you=ye, your=yer, to=ta, the=tha, etc). Very rarely capitalizes, but uses proper grammar and punctuation.
|specibus = Netkind, Cutclasskind
|modus = Cannon
|relations = [[The Marauder|{{RS quote|violetblood|The Marauder}}]] - [[Ancestors|Ancestor]]<br />
|planet = Land of Sabotage and Silver Shores
|likes = Violetbloods
|dislikes = Bluebloods
|aka = Cally Baby
|creator = [[User:Onepeachymo|onepeachymo]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
2ea2483d5608ad2b50cfbcdf71a9d684a5eec7bb
924
909
2023-10-24T03:03:00Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = <tabber>
|-| Present= [[File:Calico_Drayke.png]]
|-| Past ▾={{#tag:tabber|
{{!}}-{{!}}Young=[[File:Calico_Drayke_Young.png]]}}
</tabber>
|caption = {{RS quote|violetblood|[[File:Calflag.png|15px]] always, tewkid. ill always be by yer side. and ye'll always be by mine.}}
|intro = 9/22/2021
|title = {{Classpect|Breath|Thief}}
|age = {{Age|9}}
|gender = He/Him (Male)
|status = Alive <br />
Kidnapped
|screenname = languidMarauder
|style = Starts his messages with their ship's flag. Types out his pirate accent (you=ye, your=yer, to=ta, the=tha, etc). Very rarely capitalizes, but uses proper grammar and punctuation.
|specibus = Netkind, Cutclasskind
|modus = Cannon
|relations = [[The Marauder|{{RS quote|violetblood|The Marauder}}]] - [[Ancestors|Ancestor]]<br />
|planet = Land of Sabotage and Silver Shores
|likes = Violetbloods
|dislikes = Bluebloods
|aka = Cally Baby
|creator = [[User:Onepeachymo|onepeachymo]]}}
<noinclude>[[Category:Character infoboxes]]
[[Category:Pages using Tabber parser tag]]</noinclude>
caad1de443d30e3fca04e4b46ab1e003481c2f96
925
924
2023-10-24T03:04:39Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = <tabber>
|-| Present= [[File:Calico_Drayke.png]]
|-| Past ▾={{#tag:tabber|
{{!}}-{{!}}Young=[[File:Calico_Drayke_Young.png]]}}
</tabber>
|caption = {{RS quote|violetblood|[[File:Calflag.png|15px]] always, tewkid. ill always be by yer side. and ye'll always be by mine.}}
|intro = 9/22/2021
|title = {{Classpect|Breath|Thief}}
|age = {{Age|9}}
|gender = He/Him (Male)
|status = Alive <br />
Kidnapped
|screenname = languidMarauder
|style = Starts his messages with their ship's flag. Types out his pirate accent (you=ye, your=yer, to=ta, the=tha, etc). Very rarely capitalizes, but uses proper grammar and punctuation.
|specibus = Netkind, Cutclasskind
|modus = Cannon
|relations = [[The Marauder|{{RS quote|violetblood|The Marauder}}]] - [[Ancestors|Ancestor]]<br />
|planet = Land of Sabotage and Silver Shores
|likes = Violetbloods
|dislikes = Bluebloods
|aka = Cally Baby
|creator = [[User:Onepeachymo|onepeachymo]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
2ea2483d5608ad2b50cfbcdf71a9d684a5eec7bb
Siette Aerien
0
6
910
745
2023-10-24T01:43:22Z
HowlingHeretic
3
wikitext
text/x-wiki
{{DISPLAYTITLE:Siette Aerien}}
{{/Infobox}}
'''Siette Aerien''', also known by her [[Moonbounce]] handle {{RS quote|purpleblood|balefulAcrobat}} , is one of the [[troll]]s in ''[[Re:Symphony]]''. Her sign is true Capricorn, and she is a Witch of Rage. She is an aerial silk dancer.
Siette joined the server on 8/20/2021. She found a piece of paper with the link written on it tucked into her silks.
==Etymology==
Siette's first name comes from the word, "slette," which means to eradicate, or remove. Originally, her name was Slette, but after a misread, the name was changed to Siette for better readability. Her last name, Aerien, is an altered version of aerial, which is in reference to her aerial silk performance in the circus.
Siette's chat handle, balefulAcrobat, means "killer clown." Baleful, in this context, is used with the definition of, "Harmful or malignant in intent or effect. " Acrobat here is used with the in-universe context of most- if not all -circus performers being Purple bloods. Siette, while efficient, is not known for her subtlety.
==Biography==
===Early Life===
Siette was adopted by a troll only known as the Priestess, following her discovering her and her lusus. Siette's lusus, affectionately named Lily, was beaten and bloody, presumably found after a battle defending grub-Siette. Siette was raised in the church, under the close tutelage of her Priestess. Siette was taught the ways of the Mirthful Messiahs, and was trained to be an efficient killer. Siette performed part-time in a circus as well, as an [https://en.wikipedia.org/wiki/Aerial_silk aerial silk dancer]
==Personality and Traits==
==Relationships==
===Mabuya Arnava===
Mabuya is Siette's matesprit.
==Trivia==
==Gallery==
<gallery widths=200px heights=150px>
File:Siette_Aerien_Fancy.png|The outfit Siette wore to [[Guppie_Suamui|{{RS quote|violetblood|Guppie Suami's}}]] party.
File:Siette_Aerien_Performance.png|Siette's performance outfit
File:Siette_Aerien_Prospit.png|Siette's prospit outfit
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
7939a607f5794e4b739e0a978e9edf08bc33549b
Template:Main
10
493
915
2023-10-24T02:00:05Z
Onepeachymo
2
Created page with ":''Main article{{#if: {{{article2|}}}|s|}}: [[{{{1}}}|{{{2|{{{1}}}}}}]]{{#if: {{{article2|}}}|{{#if:{{{article3|}}}|,|<nowiki> and</nowiki>}} [[{{{article2}}}|{{{text2|{{{article2}}}}}}]]|}} {{#if:{{{article3|}}}|and [[{{{article3}}}|{{{text3|{{{article3}}}}}}]]|}}''"
wikitext
text/x-wiki
:''Main article{{#if: {{{article2|}}}|s|}}: [[{{{1}}}|{{{2|{{{1}}}}}}]]{{#if: {{{article2|}}}|{{#if:{{{article3|}}}|,|<nowiki> and</nowiki>}} [[{{{article2}}}|{{{text2|{{{article2}}}}}}]]|}} {{#if:{{{article3|}}}|and [[{{{article3}}}|{{{text3|{{{article3}}}}}}]]|}}''
da5efbc244cd6bcf0090c20c3fdaec54f38c2b25
Template:-
10
494
917
2023-10-24T02:03:13Z
Onepeachymo
2
Created page with "<br clear={{{1|all}}} /><noinclude>This template "clears" both margins; it is often used before a header to make sure that the header will be the full width of the page."
wikitext
text/x-wiki
<br clear={{{1|all}}} /><noinclude>This template "clears" both margins; it is often used before a header to make sure that the header will be the full width of the page.
592b0cf0c710904c7154e1507695d568603f46ef
File:Calico Drayke Phone.png
6
495
918
2023-10-24T02:06:58Z
Onepeachymo
2
Violetbloods always on their damn phones
wikitext
text/x-wiki
== Summary ==
Violetbloods always on their damn phones
4f4f48cda9ee65241e8ef87e5cb5d9f3cfd4a720
File:Tewkid Bownes Musket.png
6
496
919
2023-10-24T02:09:53Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Lealda's Dream
0
497
922
2023-10-24T02:55:36Z
Onepeachymo
2
Created page with "The '''Lealda's Dream''' is the name of the ship captained by [[Calico Drayke]]. == History == === Past === The ''Lealda's Dream'' was not always called as such. It used to be run under a different name while it was captained by [[Lealda Caspin]]. The ship was renamed after Lealda's death, when Calico Drayke took over as captain. === Current === Currently, the Lealda's dream is being manned by [[Shikki Raynor]] as a temporary captain, while [[Tewkid Bownes]] is unfi..."
wikitext
text/x-wiki
The '''Lealda's Dream''' is the name of the ship captained by [[Calico Drayke]].
== History ==
=== Past ===
The ''Lealda's Dream'' was not always called as such. It used to be run under a different name while it was captained by [[Lealda Caspin]]. The ship was renamed after Lealda's death, when Calico Drayke took over as captain.
=== Current ===
Currently, the Lealda's dream is being manned by [[Shikki Raynor]] as a temporary captain, while [[Tewkid Bownes]] is unfit and Calico Drayke is captured.
== Crew ==
[[File:Calico_Drayke_Phone.png|thumb|Calico Drayke, contemplating.|left]]
===Calico Drayke (Captain)===
{{main|Calico Drayke}}
'''Calico''' is the Captain of ''Lealda's Dream'', though he is currently off the ship. Though a bit of a slacker when he was under Lealda, the Calico of today is a fierce, respected captain.
{{-}}[[File:Tewkid_Bownes_Musket.png|thumb|Tewkid Bownes, wielding his weapon.|right]]
===Tewkid Bownes (First Mate)===
{{main|Tewkid Bownes}}
'''Tewkid''' is Calicos' right hand man... Though perhaps not, anymore. After Calico was kidnapped, Tewkid went into a depressive spiral where he binged alcohol night and day. He was thrown into the brig by [[Shikki Raynor]] to sober up, where he still remains.
{{-}}
===Shikki Raynor (Acting Captain, Boatswain, Surgeon)===
{{main|Shikki Raynor}}
'''Shikki''' is the current acting captain of the ship. She was Lealda's first mate, when they were alive. They are responsible for keeping many things in check on board, as well as being one of the only ones trained in first aid. They are skilled in prosthetics.
{{-}}
===Vemixe Jening (Gunner)===
{{main|Vemixe Jening}}
'''Vemixe''' is in charge of weaponry and cannons. He does many other things behind the scenes.
{{-}}
===Merrie Bonnet (Navigator)===
{{main|Merrie Bonnet}}
'''Merrie''' is the default navigator most days. You can often find her behind the wheel of the ''Lealda's Dream'', though Shikki will often give her breaks.
{{-}}
===Yolond Jasper (Striker)===
{{main|Yolond Jasper}}
'''Yolond''' is one of the only people with any skills in cooking on board. Mainly they are in charge of food supplies and fishing/gathering edible plants at sea.
{{-}}
===Kurien Burrke (Deckhand)===
{{main|Kurien Burrke}}
'''Kurien''' is still one of the newest members of the ''Lealda's Dream''. He joined after Lealda's death a few sweeps ago. He's mostly everyone's gopher boy, and does whatever he's told without much fuss.
== Past Crew ==
{{-}}
===Lealda Caspin===
{{main|Lealda Caspin}}
'''Lealda''' was the initial captain of this vessel. They died though. Sad. Well there's other captains.
e07856335d681da4a1e8e3bbf94e756c079f573c
Template:Noinclude
10
498
923
2023-10-24T03:02:51Z
Onepeachymo
2
Created page with "{{subst:noinclude|{{{1}}}}}"
wikitext
text/x-wiki
{{subst:noinclude|{{{1}}}}}
790351ce9e47d46b1431c1c3fab0c74148b61622
Category:Pages using Tabber parser tag
14
499
926
2023-10-24T03:04:52Z
Onepeachymo
2
Created page with "__HIDDENCAT__ shut the fuck up bitch"
wikitext
text/x-wiki
__HIDDENCAT__
shut the fuck up bitch
662bf61b373d6b9b95802027f277bab37959362c
Category:Character infoboxes
14
440
927
773
2023-10-24T03:07:03Z
Onepeachymo
2
wikitext
text/x-wiki
__HIDDENCAT__
LITERALLY WHATEVA
91dccc072aa778e7dcde263c6ff73e5ed285daf9
Tewkid Bownes
0
15
928
821
2023-10-24T03:43:44Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Tewkid Bownes''', known also by his [[Moonbounce]] tag, {{RS quote|violetblood|domesticRover}}, is one of the major pirate characters of [[Re:Symphony]]. Tewkid is the second in command on the ship ''[[Lealda's Dream]]'', he is directly under [[Calico Drayke|Calico]] on the ships hierarchy. He joined on 9/22/2021, immediately after Calico.
==Etymology==
Tewkid's name comes from a handful of sources, "tew" coming from English privateer-turned-pirate "[https://en.wikipedia.org/wiki/Thomas_Tew Thomas Tew]" and "kid" coming from the Scottish privateer "[https://en.wikipedia.org/wiki/William_Kidd William Kidd]". "bownes" being a play on the spelling of "bones", as bone imagery and symbols are often tied with pirates and the pirate lifestyle. In his Moonbounce tag, domestic is in reference to Tewkid's various interests in typically domestic hobbies an activities such as cooking, sewing and embroidery. However domestic is also in reference to someone who stays put and does not wander, which is in direct contradiction to the second part of his tag which is Rover, which is someone who wanders and does not stay in one place. Rover is in reference to his life as a pirate and traveling across the seas, but the inherent contradiction of his tag can be interpreted as representative of the many conflicts he experiences both internally and externally, as he finds himself struggling to understand his place.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<gallery>
File:Tewkid1.gif|he's talking :)
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
a698b2eb1e0580f980a7a18b6ed698b7a9493838
Lealda's Dream
0
497
930
922
2023-10-24T03:44:46Z
Onepeachymo
2
wikitext
text/x-wiki
The '''Lealda's Dream''' is the name of the ship captained by [[Calico Drayke]].
== History ==
=== Past ===
The ''Lealda's Dream'' was not always called as such. It used to be run under a different name while it was captained by [[Lealda Caspin]]. The ship was renamed after Lealda's death, when Calico Drayke took over as captain.
=== Current ===
Currently, the Lealda's dream is being manned by [[Shikki Raynor]] as a temporary captain, while [[Tewkid Bownes]] is unfit and Calico Drayke is captured.
== Crew ==
[[File:Calico_Drayke_Phone.png|thumb|Calico Drayke, contemplating.|left]]
===Calico Drayke (Captain)===
{{main|Calico Drayke}}
'''Calico''' is the Captain of ''Lealda's Dream'', though he is currently off the ship. Though a bit of a slacker when he was under Lealda, the Calico of today is a fierce, respected captain.
{{-}}[[File:Tewkid_Bownes_Musket.png|thumb|Tewkid Bownes, wielding his weapon.|right]]
===Tewkid Bownes (First Mate)===
{{main|Tewkid Bownes}}
'''Tewkid''' is Calicos' right hand man... Though perhaps not, anymore. After Calico was kidnapped, Tewkid went into a depressive spiral where he binged alcohol night and day. He was thrown into the brig by [[Shikki Raynor]] to sober up, where he still remains.
{{-}}
===Shikki Raynor (Acting Captain, Boatswain, Surgeon)===
{{main|Shikki Raynor}}
'''Shikki''' is the current acting captain of the ship. She was Lealda's first mate, when they were alive. They are responsible for keeping many things in check on board, as well as being one of the only ones trained in first aid. They are skilled in prosthetics.
{{-}}
===Vemixe Jening (Gunner)===
{{main|Vemixe Jening}}
'''Vemixe''' is in charge of weaponry and cannons. He does many other things behind the scenes.
{{-}}
===Merrie Bonnet (Navigator)===
{{main|Merrie Bonnet}}
'''Merrie''' is the default navigator most days. You can often find her behind the wheel of the ''Lealda's Dream'', though Shikki will often give her breaks.
{{-}}
===Yolond Jasper (Striker)===
{{main|Yolond Jasper}}
'''Yolond''' is one of the only people with any skills in cooking on board. Mainly they are in charge of food supplies and fishing/gathering edible plants at sea.
{{-}}
===Kurien Burrke (Deckhand)===
{{main|Kurien Burrke}}
'''Kurien''' is still one of the newest members of the ''Lealda's Dream''. He joined after Lealda's death a few sweeps ago. He's mostly everyone's gopher boy, and does whatever he's told without much fuss.
== Past Crew ==
===Lealda Caspin===
{{main|Lealda Caspin}}
'''Lealda''' was the initial captain of this vessel. They died though. Sad. Well there's other captains.
4de89782399fb43dd5d2da1fa8132a0857dd0c04
Lealda Caspin
0
466
931
844
2023-10-24T03:45:26Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
Previously the captain of the ship now named ''[Lealda's Dream]]''.
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
9c22b590660eacbd6ce3e2c5da66fe6f81b20828
932
931
2023-10-24T03:45:39Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
Previously the captain of the ship now named ''[[Lealda's Dream]]''.
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
98cbe0b3551fb685f8837e5ecb2b8885c6a8e751
Vemixe Jening
0
477
933
871
2023-10-24T03:46:12Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
Crewmember of the ''[[Lealda's Dream]]''.
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
d7810bb2c59087ae1768fa4483a2a3ac935b6f51
Merrie Bonnet
0
475
934
869
2023-10-24T03:46:31Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
Crewmember of the ''[[Lealda's Dream]]''.
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
d7810bb2c59087ae1768fa4483a2a3ac935b6f51
Shikki Raynor
0
468
935
847
2023-10-24T03:46:39Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
Crewmember of the ''[[Lealda's Dream]]''.
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
d7810bb2c59087ae1768fa4483a2a3ac935b6f51
Yolond Jasper
0
473
936
864
2023-10-24T03:46:59Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
Crewmember of the ''[[Lealda's Dream]]''.
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
d7810bb2c59087ae1768fa4483a2a3ac935b6f51
Kurien Burrke
0
471
937
856
2023-10-24T03:47:10Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
Crewmember of the ''[[Lealda's Dream]]''.
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
d7810bb2c59087ae1768fa4483a2a3ac935b6f51
File:Anyaru Servus Concept Art.png
6
500
938
2023-10-26T12:47:39Z
HowlingHeretic
3
Annie's original concept art.
wikitext
text/x-wiki
== Summary ==
Annie's original concept art.
d88ac0180928bc257fd18e68fcbe25b546e51fe6
Anyaru Servus
0
435
939
921
2023-10-26T12:49:13Z
HowlingHeretic
3
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Anyaru Servus}}
'''Anyaru Servus''', also known by her [[Moonbounce|Moonbounce]] handle, {{RS quote|ceruleanblood|calmingHyacinth}}, and her nickname, "Annie," is one of the [[Trolls|trolls]] in [[Re:Symphony|Re:Symphony]]. Her sign is Scorza, and she is a Seer of Mind. She works as the personal assistant of [[Siette_Aerien|Siette Aerien]], providing services such as cleaning, lusii feeding, gift buying, and anything else Siette asks of her. She also is a skilled assassin, and has been shown to kill even purple bloods.
==Etymology==
"Anyaru Servus," is a reference to "At your service." Her Moonbounce handle, calmingHyacinth, is primarily a reference to how she views her relationship with Siette. In addition, it shortens to CH, which references her librarian inspiration.
==Biography==
===Early Life===
Annie was chosen as Siette's assistant by [[Priestess|Priestess]] early on in their lives. Annie began her work for Siette, primarily tending to her mundane needs; Annie would do Siette's laundry, her dishes, prepare her meals, feed her lusus, clean the mansion she lived in, and other menial tasks that Siette found too boring to do herself. As time continued, Annie began to develop flushed feelings for Siette. Annie responded to these feelings by repressing them, and channeling that energy into her work. When Siette grew older and began killing trolls more often, she took it upon herself to tie up loose ends. Eventually, Siette became a target for other over-zealous trolls. While Siette is more than capable at defending herself, Annie began assassinating these trolls for Siette in secret, so she could continue living her life however she pleased.
==Personality and Traits==
Annie is cold towards others, and is still very formal with Siette. Annie only acts for Siette's benefit, and as such keeps most people at an arms distance. However, she has been shown to be kind to Siniix.
==Relationships==
* [[Siette Aerien|Siette]] is Annie's employer, and Annie has a repressed flushed crush for her.
* [[Awoole_Fenrir|Awoole]] is Annie's kismesis. Annie met Awoole during her work for Siette. She commissioned Awoole to repair and customize a set of throwing axes for Siette. She found Awoole's tone toward her to be abrasive and offensive, but his craftsmanship was undeniable. She believes that if he improves his attitude, and gets over his hatred of highbloods, he can be more successful.
* [[Siniix Auctor|Siniix]] is one of Annie's friends. They share an interest in tea, and literature.
* Annie is suspicious of [[Looksi Gumshu|Looksi]].
* Annie likes [[Mabuya Arnava|Mabuya]], [[Knight Galfry|Knight]], and [[Paluli Anriqi|Paluli]].
==Trivia==
* Annie's lusus is a panther.
* The interior of Annie's hive is lined in bookshelves. Her hive acts as a large personal library.
* Annie wears goth clothing, inspired by 90s goth looks.
* Annie is partially inspired by [https://danganronpa.fandom.com/wiki/Kirumi_Tojo Kirumi Tojo] from Danganronpa V3.
* Annie makes weapons from the bones of those she kills.
==Gallery==
<gallery widths=200px heights=150px>
File:Anyaru_Servus_Longcoat.png|Annie's long coat, from her concept art.
File:Anyaru_Servus_Concept_Art.png
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
cd3a91d42636cab1039da04ddad79bfc35e6a415
940
939
2023-10-26T12:49:31Z
HowlingHeretic
3
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Anyaru Servus}}
'''Anyaru Servus''', also known by her [[Moonbounce|Moonbounce]] handle, {{RS quote|ceruleanblood|calmingHyacinth}}, and her nickname, "Annie," is one of the [[Trolls|trolls]] in [[Re:Symphony|Re:Symphony]]. Her sign is Scorza, and she is a Seer of Mind. She works as the personal assistant of [[Siette_Aerien|Siette Aerien]], providing services such as cleaning, lusii feeding, gift buying, and anything else Siette asks of her. She also is a skilled assassin, and has been shown to kill even purple bloods.
==Etymology==
"Anyaru Servus," is a reference to "At your service." Her Moonbounce handle, calmingHyacinth, is primarily a reference to how she views her relationship with Siette. In addition, it shortens to CH, which references her librarian inspiration.
==Biography==
===Early Life===
Annie was chosen as Siette's assistant by [[Priestess|Priestess]] early on in their lives. Annie began her work for Siette, primarily tending to her mundane needs; Annie would do Siette's laundry, her dishes, prepare her meals, feed her lusus, clean the mansion she lived in, and other menial tasks that Siette found too boring to do herself. As time continued, Annie began to develop flushed feelings for Siette. Annie responded to these feelings by repressing them, and channeling that energy into her work. When Siette grew older and began killing trolls more often, she took it upon herself to tie up loose ends. Eventually, Siette became a target for other over-zealous trolls. While Siette is more than capable at defending herself, Annie began assassinating these trolls for Siette in secret, so she could continue living her life however she pleased.
==Personality and Traits==
Annie is cold towards others, and is still very formal with Siette. Annie only acts for Siette's benefit, and as such keeps most people at an arms distance. However, she has been shown to be kind to Siniix.
==Relationships==
* [[Siette Aerien|Siette]] is Annie's employer, and Annie has a repressed flushed crush for her.
* [[Awoole_Fenrir|Awoole]] is Annie's kismesis. Annie met Awoole during her work for Siette. She commissioned Awoole to repair and customize a set of throwing axes for Siette. She found Awoole's tone toward her to be abrasive and offensive, but his craftsmanship was undeniable. She believes that if he improves his attitude, and gets over his hatred of highbloods, he can be more successful.
* [[Siniix Auctor|Siniix]] is one of Annie's friends. They share an interest in tea, and literature.
* Annie is suspicious of [[Looksi Gumshu|Looksi]].
* Annie likes [[Mabuya Arnava|Mabuya]], [[Knight Galfry|Knight]], and [[Paluli Anriqi|Paluli]].
==Trivia==
* Annie's lusus is a panther.
* The interior of Annie's hive is lined in bookshelves. Her hive acts as a large personal library.
* Annie wears goth clothing, inspired by 90s goth looks.
* Annie is partially inspired by [https://danganronpa.fandom.com/wiki/Kirumi_Tojo Kirumi Tojo] from Danganronpa V3.
* Annie makes weapons from the bones of those she kills.
==Gallery==
<gallery widths=200px heights=150px>
File:Anyaru_Servus_Longcoat.png|Annie's long coat, from her concept art.
File:Anyaru_Servus_Concept_Art.png|Annie's original concept art.
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
66e2ec24c91172abb36a0558dcbd9cef6228f844
File:Siniix Auctor Concept Art.png
6
501
941
2023-10-26T12:51:52Z
HowlingHeretic
3
Siniix's original concept art.
wikitext
text/x-wiki
== Summary ==
Siniix's original concept art.
647fe4ab1c03911000c0473d2b89d68c74542c7f
File:Siniix Auctor Headshot.png
6
502
942
2023-10-26T12:52:09Z
HowlingHeretic
3
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Siniix Auctor Formal.png
6
503
943
2023-10-26T12:53:05Z
HowlingHeretic
3
The outfit Siniix wore to her play's opening night.
wikitext
text/x-wiki
== Summary ==
The outfit Siniix wore to her play's opening night.
8457b655a400e1ebfe0063834f6a182903940900
File:Siniix Auctor Casual.png
6
504
944
2023-10-26T12:53:36Z
HowlingHeretic
3
A casual alt outfit for Siniix.
wikitext
text/x-wiki
== Summary ==
A casual alt outfit for Siniix.
5c3d38784397bd77506d4fdc7154e1969bb9dbc3
Siniix Auctor
0
436
945
912
2023-10-26T12:55:51Z
HowlingHeretic
3
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Siniix Auctor}}
'''Siniix Auctor''' also known by her [[Moonbounce]] handle, {{RS quote|jadeblood|temporalDramatist}}. Her sign is [http://hs.hiveswap.com/ezodiac/truesign.php?TS=Virsci Virsci], and a '''Prospit''' dreamer. She is a '''Witch of Life'''. Her actual age is unknown, aside that she is over 8 sweeps old, as is her birth date. Her ancestor is unknown. Her lusus was a deer, and has been deceased for a very long time. She never got to say goodbye.
Siniix joined the chatroom on 1/17/2023, after the message of her joining the chatroom appeared on her typewriter. Her typewriter stopped transmitting messages to the chatroom after she set up [[Moonbounce]] on her palmhusk.
==Etymology==
"Siniix," has no discernible meaning. "Auctor," is defined as an "[https://en.wiktionary.org/wiki/auctor obsolete form of author]." The first word of her chat handle, temporal, is presumably in reference to her historical plays and musicals. Dramatist is similarly related to her profession.
==Biography==
===Early Life===
Siniix has no record of any presence on Alternia before 2.5 sweeps before the present day, and when questioned about this, is incredibly cagey about the topic. Siniix is a popular playwright, and her plays are typically based off of records of ancestors. Siniix has a personal collection of ancient scrolls, all of which are in shockingly pristine condition. Siniix' canonical plays are usually trollified versions of popular musicals and plays in real life. Some examples are Phantom of the Opera, and Ride the Cyclone. Siniix lives close to New Troll City for work purposes, but lives far enough away that she can live a secluded life in a small cottage.
==Personality and Traits==
Siniix is very kind towards others, and very humble in regards to her plays' popularity. She generally likes most chat members, even if they've been openly hostile towards other chat members. She has a strong interest in literature and historical records. She has mentioned that she has a contact at the library in New Troll City who would lets her into the historical section with the "good stuff," implied to be restricted records. She enjoys baking, and making tea.
==Relationships==
* [[Knight_Galfry|Knight Galfry]] is a pen-pal of Siniix. Siniix suggested that she and Knight become pen-pals primarily because she had already developed a red crush on Knight. This crush continues to grow in intensity as time goes on. Siniix loves how chivalrous Knight is. Siniix was drawn to Knight initially because of her being a swordswoman, something Siniix has a particular liking for. Siniix also likes Knight's tone of text, which she usually interprets as commanding, but sweet.
* [[Looksi_Gumshu|Looksi Gumshu]] is another red crush of Siniix. While not as intense as the one she has for Knight, she admires his profession, and finds his manner of speech to be attractive.
* [[Anyaru_Servus|Anyaru Servus]] is a friend of Siniix. She and Annie share a love for literature and tea. While they aren't close, it's implied that the two have had tea together on prior occasions.
==Trivia==
* Siniix has an [https://open.spotify.com/playlist/2aW4yfIuMuhFgyJxtCYW46?si=768df5e530684555 official playlist].
* Siniix was inspired by the Greek poet Sappho.
==Gallery==
<gallery widths=200px heights=150px>
File:Siniix_Auctor_Witch.png|Siniix's carving night outfit.
File:Siniix_Auctor_Concept_Art.png|Siniix' original concept art.
File:Siniix_Auctor_Headshot.png
File:Siniix_Auctor_Formal.png|The outfit Siniix wore to her play's opening.
File:Siniix_Auctor_Casual.png
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
30d6e7abfb95aa0df76eb2bcc63735489eb6bd31
Awoole Fenrir
0
434
946
911
2023-10-26T18:46:42Z
HowlingHeretic
3
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Awoole Fenrir}}
'''Awoole Fenrir''', also known by his [[Moonbounce|Moonbounce]] handle, {{RS quote|Bronzeblood|tinkeringLycan}}, is one of the [[Trolls|trolls]] in [[Re:Symphony|Re:Symphony]]. His sign is Taurmini, and he is a Witch of Doom. He is a mechanic, and is known to be extremely skilled in all forms of repair.
==Etymology==
"Awoole," comes from the onomatopoeia, "Awoo." "Fenrir," comes from the name of a legendary wolf in Norse mythology, the son of Loki who devours Odin during Ragnarok. The first word of his Moonbounce handle, "tinkering," is in reference to his skills in repair and mechanics. The second word, "lycan," is another word for werewolf. It can be inferred that Awoole chose his Moonbounce handle based solely on his two interests: wolves, and engineering.
==Biography==
===Early Life===
Awoole was taken in by a pack of wolf lusii when he was a grub. Awoole grew up with the wolf pack taking care of him, and he repaid this later in life by creating cybernetic prosthetics for their limbs that were injured beyond healing.
==Personality and Traits==
Awoole is pretty abrasive, though he is kinder to fellow lowbloods. Awoole has a strong dislike for highbloods, and is actively hostile towards them. Awoole works as a mechanic, and uses a sliding scale for pricing; lowbloods get free or discounted services, and highbloods pay high rates.
==Relationships==
==Trivia==
==Gallery==
<gallery widths=200px heights=150px>
File:Awoole_Fenrir_Shirtless.png|Awoole without his shirt.
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
0734310c8302576e1b71cf35a443aeb33666e2ed
Anyaru Servus/Infobox
0
454
947
907
2023-10-27T00:33:11Z
HowlingHeretic
3
wikitext
text/x-wiki
{{Character Infobox
|name = Anyaru Servus
|symbol = [[File:Scorza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex = [[File:Anyaru_Servus.png]]
|caption = {{RS quote|ceruleanblood| 📖 Greetings. 📘}}
|intro = day they joined server
|title = {{Classpect|Mind|Maid}}
|age = {{Age|9}}
|gender = She/They(Agender)
|status = Alive
|screenname = calmingHyacinth
|style = Begins with an open book, and ends with a closed book.
|specibus = Bonekind
|modus = Encyclopedia
|relations = [[Siette_Aerien|{{RS quote|purpleblood|Siette Aerien}}]] - [[Flush crush]] </br>
[[Awoole_Fenrir|{{RS quote|bronzeblood|Awoole Fenrir}}]] - [[Kismesis|Kismesis]]
|planet = Land of Libraries and Bone
|likes = Literature, tea, whiskey, guns, gothic design and clothing
|dislikes = Anyone who Siette dislikes
|aka = Annie (Siette)
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
730bca1db0ec7cde6db18f02deb1fa574fd5ceb1
Awoole Fenrir/Infobox
0
455
948
906
2023-10-27T00:33:14Z
HowlingHeretic
3
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:Taurmini.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = [[File:Awoole_Fenrir.png]]
|caption = {{RS quote|Bronzeblood|Woof. What}}
|intro = 4/21/22
|title = {{Classpect|Doom|Rogue}}
|age = {{Age|8}}
|gender = He/They (Nonbinary-Transmasc)
|status = Alive
|screenname = tinkeringLycan
|style = Begins every sentence with an onomatopoeia, such as Woof, Arf, Bark, etc. Capitalizes "W"s.
|specibus = Toolkind
|modus = Tool box
|relations = [[Anyaru_Servus|{{RS quote|ceruleanblood|Anyaru Servus}}]] - [[Kismesis|Kismesis]] </br>
{{RS quote|jadeblood|Esceia}} - [[Matesprites|Matesprit]]
|planet = Land of Steel and Caves
|likes = Fellow lowbloods, engineering, wolves, punk music,
|dislikes = Highbloods
|aka = Puppy (Esceia)
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
1ace5493da2611e86b4a99e6e1babbc1c0cb7761
Siette Aerien
0
6
949
910
2023-10-30T17:45:51Z
HowlingHeretic
3
wikitext
text/x-wiki
{{DISPLAYTITLE:Siette Aerien}}
{{/Infobox}}
'''Siette Aerien''', also known by her [[Moonbounce]] handle {{RS quote|purpleblood|balefulAcrobat}} , is one of the [[troll]]s in ''[[Re:Symphony]]''. Her sign is true Capricorn, and she is a Witch of Rage. She is an aerial silk dancer.
Siette joined the server on 8/20/2021. She found a piece of paper with the link written on it tucked into her silks.
==Etymology==
Siette's first name comes from the word, "slette," which means to eradicate, or remove. Originally, her name was Slette, but after a misread, the name was changed to Siette for better readability. Her last name, Aerien, is an altered version of aerial, which is in reference to her aerial silk performance in the circus.
Siette's chat handle, balefulAcrobat, means "killer clown." Baleful, in this context, is used with the definition of, "Harmful or malignant in intent or effect. " Acrobat here is used with the in-universe context of most- if not all -circus performers being Purple bloods. Siette, while efficient, is not known for her subtlety.
==Biography==
===Early Life===
Siette was adopted by a troll only known as the Priestess, following her discovering her and her lusus. Siette's lusus, affectionately named Lily, was beaten and bloody, presumably found after a battle defending grub-Siette. Siette was raised in the church, under the close tutelage of her Priestess. Siette was taught the ways of the Mirthful Messiahs, and was trained to be an efficient killer. Siette performed part-time in a circus as well, as an [https://en.wikipedia.org/wiki/Aerial_silk aerial silk dancer]
===Act 1===
Siette joined the chatroom out of boredom, upon finding the link written on a slip of paper that had been tucked into her silks. Siette found entertainment in the chatroom, finding the other members to be funny enough for her. In the early days, Siette was summoned by her Priestess for a sacrifice. Siette used her psionics to mind-control another troll, simply named Red, and bring him to the Church's execution chamber. She killed him at the behest of her Priestess, though she's shown to feel some remorse afterwards.
When Guppie, Venus, Ambysa, and Looksi went to meet Myrkri, she tagged along for entertainment. Upon Myrkri attacking Guppie, Siette hit Myrkri in her wrist with her whip. When that didn't deter her, they charged and tackled Mykri away from Guppie, restraining them so the others could ask questions. Siette now regrets saving Guppie.
==Personality and Traits==
==Relationships==
===Mabuya Arnava===
Mabuya is Siette's matesprit.
==Trivia==
==Gallery==
<gallery widths=200px heights=150px>
File:Siette_Aerien_Fancy.png|The outfit Siette wore to [[Guppie_Suamui|{{RS quote|violetblood|Guppie Suami's}}]] party.
File:Siette_Aerien_Performance.png|Siette's performance outfit
File:Siette_Aerien_Prospit.png|Siette's prospit outfit
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
926aae101e0f4615f5595318ce8dd5b93f59400c
Looksi Gumshu/Infobox
0
35
950
889
2023-11-02T15:07:27Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{Character Infobox
|name = Looksi Gumshu
|symbol = [[File:Libza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex = [[File:Looksi Sprite.png]]
|caption = {{RS quote|Teal| 𝙲𝚞𝚝 𝚝𝚑𝚎 𝚜𝚑𝚒𝚝 𝙼𝚌𝚛𝚒𝚋𝚋.}}
|intro =
|title = {{Classpect|Mind|Knight}}
|age = {{Age|10.5}}
|gender = He/Him (Male)
|status = Alive
|screenname = phlegmaticInspector
|style = 𝚄𝚜𝚎𝚜 𝚝𝚢𝚙𝚎𝚠𝚛𝚒𝚝𝚎𝚛 𝚏𝚘𝚗𝚝, 𝚊𝚗𝚍 𝚊𝚕𝚜𝚘 𝚑𝚊𝚜 𝚊 𝚐𝚘𝚘𝚍 𝚜𝚎𝚗𝚜𝚎 𝚘𝚏 𝚙𝚞𝚗𝚌𝚝𝚞𝚊𝚝𝚒𝚘𝚗 𝚊𝚗𝚍 𝚐𝚛𝚊𝚖𝚖𝚊𝚛. 𝙼𝚊𝚢 𝚊𝚕𝚜𝚘 𝚜𝚙𝚎𝚊𝚔 𝚒𝚗 𝚍𝚎𝚝𝚎𝚌𝚝𝚒𝚟𝚎 𝚗𝚘𝚒𝚛𝚎 𝚍𝚒𝚊𝚕𝚘𝚐𝚞𝚎.
|specibus = Pistolkind
|modus = Scotch
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Teal|Drewcy/Arsene Ripper}}]] - [[Relation Link Page(ie: )|(EX) Matesprites/Moirails (Dead)]]
[[Character you want to Link to’s URL Name|{{RS quote|Blue|Jonesy Triton}}]] - [[Relation Link Page(ie: )|Assistant (Dead) ]]
[[Character you want to Link to’s URL Name|{{RS quote|Teal|The Sherlock}}]] - [[Ancestors|Ancestor]]
|planet = Land of Libraries and Labyrinths
|likes = Cigars, Coffee
|dislikes = Betrayal, [[Skoozy Mcribb|Skoozy]]
|aka = Detective, {{RS quote|Teal|Looker}} (Arsene), <br />
{{RS quote|Bronzeblood|Bossman}} ([[Ponzii]]) <br />
|creator = [[User:Wowzersbutnot|Wowz]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
578c1fe2ebd6efe2b594a0e602d9000c83cb8679
951
950
2023-11-02T15:08:24Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{Character Infobox
|name = Looksi Gumshu
|symbol = [[File:Libza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex = [[File:Looksi Sprite.png]]
|caption = {{RS quote|Teal| 𝙲𝚞𝚝 𝚝𝚑𝚎 𝚜𝚑𝚒𝚝 𝙼𝚌𝚛𝚒𝚋𝚋.}}
|intro =
|title = {{Classpect|Mind|Knight}}
|age = {{Age|12.5}}
|gender = He/Him (Male)
|status = Alive
|screenname = phlegmaticInspector
|style = 𝚄𝚜𝚎𝚜 𝚝𝚢𝚙𝚎𝚠𝚛𝚒𝚝𝚎𝚛 𝚏𝚘𝚗𝚝, 𝚊𝚗𝚍 𝚊𝚕𝚜𝚘 𝚑𝚊𝚜 𝚊 𝚐𝚘𝚘𝚍 𝚜𝚎𝚗𝚜𝚎 𝚘𝚏 𝚙𝚞𝚗𝚌𝚝𝚞𝚊𝚝𝚒𝚘𝚗 𝚊𝚗𝚍 𝚐𝚛𝚊𝚖𝚖𝚊𝚛. 𝙼𝚊𝚢 𝚊𝚕𝚜𝚘 𝚜𝚙𝚎𝚊𝚔 𝚒𝚗 𝚍𝚎𝚝𝚎𝚌𝚝𝚒𝚟𝚎 𝚗𝚘𝚒𝚛𝚎 𝚍𝚒𝚊𝚕𝚘𝚐𝚞𝚎.
|specibus = Pistolkind
|modus = Scotch
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Teal|Drewcy/Arsene Ripper}}]] - [[Relation Link Page(ie: )|(EX) Matesprites/Moirails (Dead)]]
[[Character you want to Link to’s URL Name|{{RS quote|Blue|Jonesy Triton}}]] - [[Relation Link Page(ie: )|Assistant (Dead) ]]
[[Character you want to Link to’s URL Name|{{RS quote|Teal|The Sherlock}}]] - [[Ancestors|Ancestor]]
|planet = Land of Libraries and Labyrinths
|likes = Cigars, Coffee
|dislikes = Betrayal, [[Skoozy Mcribb|Skoozy]]
|aka = Detective, {{RS quote|Teal|Looker}} (Arsene), <br />
{{RS quote|Bronzeblood|Bossman}} ([[Ponzii]]) <br />
|creator = [[User:Wowzersbutnot|Wowz]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
6e63c3609002372f1af62c261de58b1aaabadc01
954
951
2023-11-02T15:25:39Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{Character Infobox
|name = Looksi Gumshu
|symbol = [[File:Libza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex = [[File:Looksi Sprite.png]]
|complex= <tabber>
|-| Current Tie= [[File:Looksi Sprite.png]]
|-| Old Tie= [[File:Looksi sprite (old).png]]
</tabber>
|caption = {{RS quote|Teal| 𝙲𝚞𝚝 𝚝𝚑𝚎 𝚜𝚑𝚒𝚝 𝙼𝚌𝚛𝚒𝚋𝚋.}}
|intro =
|title = {{Classpect|Mind|Knight}}
|age = {{Age|12.5}}
|gender = He/Him (Male)
|status = Alive
|screenname = phlegmaticInspector
|style = 𝚄𝚜𝚎𝚜 𝚝𝚢𝚙𝚎𝚠𝚛𝚒𝚝𝚎𝚛 𝚏𝚘𝚗𝚝, 𝚊𝚗𝚍 𝚊𝚕𝚜𝚘 𝚑𝚊𝚜 𝚊 𝚐𝚘𝚘𝚍 𝚜𝚎𝚗𝚜𝚎 𝚘𝚏 𝚙𝚞𝚗𝚌𝚝𝚞𝚊𝚝𝚒𝚘𝚗 𝚊𝚗𝚍 𝚐𝚛𝚊𝚖𝚖𝚊𝚛. 𝙼𝚊𝚢 𝚊𝚕𝚜𝚘 𝚜𝚙𝚎𝚊𝚔 𝚒𝚗 𝚍𝚎𝚝𝚎𝚌𝚝𝚒𝚟𝚎 𝚗𝚘𝚒𝚛𝚎 𝚍𝚒𝚊𝚕𝚘𝚐𝚞𝚎.
|specibus = Pistolkind
|modus = Scotch
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Teal|Drewcy/Arsene Ripper}}]] - [[Relation Link Page(ie: )|(EX) Matesprites/Moirails (Dead)]]
[[Character you want to Link to’s URL Name|{{RS quote|Blue|Jonesy Triton}}]] - [[Relation Link Page(ie: )|Assistant (Dead) ]]
[[Character you want to Link to’s URL Name|{{RS quote|Teal|The Sherlock}}]] - [[Ancestors|Ancestor]]
|planet = Land of Libraries and Labyrinths
|likes = Cigars, Coffee
|dislikes = Betrayal, [[Skoozy Mcribb|Skoozy]]
|aka = Detective, {{RS quote|Teal|Looker}} (Arsene), <br />
{{RS quote|Bronzeblood|Bossman}} ([[Ponzii]]) <br />
|creator = [[User:Wowzersbutnot|Wowz]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
84a7b41c5d87cf7e72c8d5a06002a529cc5103f4
956
954
2023-11-02T15:30:02Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{Character Infobox
|name = Looksi Gumshu
|symbol = [[File:Libza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex= <tabber>
|-| Current Tie= [[File:Looksi Sprite.png]]
|-| Old Tie= [[File:Looksi sprite (old).png]]
</tabber>
|caption = {{RS quote|Teal| 𝙲𝚞𝚝 𝚝𝚑𝚎 𝚜𝚑𝚒𝚝 𝙼𝚌𝚛𝚒𝚋𝚋.}}
|intro =
|title = {{Classpect|Mind|Knight}}
|age = {{Age|12.5}}
|gender = He/Him (Male)
|status = Alive
|screenname = phlegmaticInspector
|style = 𝚄𝚜𝚎𝚜 𝚝𝚢𝚙𝚎𝚠𝚛𝚒𝚝𝚎𝚛 𝚏𝚘𝚗𝚝, 𝚊𝚗𝚍 𝚊𝚕𝚜𝚘 𝚑𝚊𝚜 𝚊 𝚐𝚘𝚘𝚍 𝚜𝚎𝚗𝚜𝚎 𝚘𝚏 𝚙𝚞𝚗𝚌𝚝𝚞𝚊𝚝𝚒𝚘𝚗 𝚊𝚗𝚍 𝚐𝚛𝚊𝚖𝚖𝚊𝚛. 𝙼𝚊𝚢 𝚊𝚕𝚜𝚘 𝚜𝚙𝚎𝚊𝚔 𝚒𝚗 𝚍𝚎𝚝𝚎𝚌𝚝𝚒𝚟𝚎 𝚗𝚘𝚒𝚛𝚎 𝚍𝚒𝚊𝚕𝚘𝚐𝚞𝚎.
|specibus = Pistolkind
|modus = Scotch
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Teal|Drewcy/Arsene Ripper}}]] - [[Relation Link Page(ie: )|(EX) Matesprites/Moirails (Dead)]]
[[Character you want to Link to’s URL Name|{{RS quote|Blue|Jonesy Triton}}]] - [[Relation Link Page(ie: )|Assistant (Dead) ]]
[[Character you want to Link to’s URL Name|{{RS quote|Teal|The Sherlock}}]] - [[Ancestors|Ancestor]]
|planet = Land of Libraries and Labyrinths
|likes = Cigars, Coffee
|dislikes = Betrayal, [[Skoozy Mcribb|Skoozy]]
|aka = Detective, {{RS quote|Teal|Looker}} (Arsene), <br />
{{RS quote|Bronzeblood|Bossman}} ([[Ponzii]]) <br />
|creator = [[User:Wowzersbutnot|Wowz]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
9901cf1c965a5b2d48a017741ca888f499d125c5
Looksi Gumshu
0
9
952
891
2023-11-02T15:16:26Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{/Infobox}}
'''Looksi Gumshu''', also known by his Moonbounce handle '''phlegmaticInspector''', is one of the trolls in RE: Symphony. His sign is Libza.
He joined day one of the server by means of a strange code that he received on his husktop.
==Etymology==
Looksi Gumshu is based on the words 'Look-see' and 'Gumshoe'. Which ties into his occupation of being a Detective. For his handle, Phlegmatic means 'a person having an unemotional and stolidly calm disposition.' As Looksi usually has when he solves a case or his demeanor in general. Inspector is his occupation, for his city, New Troll City. His handle acronyms 'PI' is also a joke on the acronym for Private Investigator.
==Biography==
===Early Life===
Looksi for a good long term of his life was a snarky, alcoholic detective who was amazing at solving crimes, guy could tell someone was lying the second he spoke to them. He worked in the precinct New Troll City and had a huge crush on the Scientific Investigator, Drewcy and the two would work on crimes together as well. It was a partnership both romantically and work wise. At some point during Looksi's career, a young cerulean by the name of Jonesy Triton saw how this bad ass detective would work and wanted to grow up to be him one day. So he pestered and begged to be his assistant to which Looksi (mostly Drewcy just telling him he should do it) agreed. And overtime Looksi dropped his addiction to alcohol as the biggest serial killer case was going on, a teal blood going around killing highbloods. Looksi and gang took on the case, and one day, Jonesy wanted to do more so he begged and cried until Looksi let him investigate on his own and Looksi agreed. He didn't think the kid was going to solve the crime. He thought it was going to be some dead end, but eventually Looksi figured it out too and saw that Jonesy was mere seconds from dying by a trap from the killer. Before Looksi could even say anything- Jonesy gets crushed by the big crate. And the killer is revealed to be none other than Drewcy, or rather their real name. Arsene Ripper. And Looksi because of conflicted feeling lets Arsene go on accident. And ever since then, Looksi Gumshu will not work with anyone or trust anyone ever again.
===Act 1===
For a good majority of act 1, Looksi spent his time trying to understand the mystery of the chatroom. Trying to understand how they got stuck there, the code being sent through mysterious means and the like. Ravi joins him in investigating Moonboune HQ which seems to be run rampid with growing red vines. During this time he starts slightly working with Barise to make sure Skoozy isn't up to anything nefarious. He also joins in the investigation about Myrkri which nearly got him killed. He did not attend the party that Guppie was throwing.
==Personality and Traits==
Looksi is a very mature and responsible troll who will do what he can to solve the case at hand. For a good portion of his life he was a drunken bastard with no sense of care for himself but still cared deeply about others in his life. After the Arsene incident, Looksi shut off everyone around him and would carry the burden all by himself, vowing to never trust anyone again. Eventually during his time in the chatroom he is slowly opening up to others and letting them in his life, but he still has doubt and worry over everything, especially since the Skoozy ordeal.
==Relationships==
===Drewcy/Arsene Ripper===
Like stated earlier, Looksi and Arsene have known eachother for years and have worked together as well. The two started out as moirails but then grew into a matespritship. However, it was all unfortunatly one sided due to Arsene being a serial killer and was only using Looksi, to which when Arsene escaped led him down a long and heartbroken path of no longer trusting or loving anyone ever again.
===Jonesy Triton===
Also stated earlier, Jonesy looked up to Looksi as a mentor and wanted to be just like him when he gets older. When Looksi was recovering from his addiction, he and Jonesy did become closer and did care for the little fella. He still has the mug that Jonesy gave him for his wriggling day, A white mug that reads "World's Greatest Detective".
===[[Siette Aerien]]===
The two met in the chatroom and never really cared about what either did, Siette with a bit more hostility due to Looksi being a cop. But after a while, the two became good friends.
===[[Skoozy Mcribb]]===
After Skoozy revealed his true colors and intent, Looksi vowed to put a stop to him. Unfortunately, it has been quite the battle both physically and mentally for him.
==Trivia==
• Design is based on Almond Cookie from Cookie Run.
• Roughly smokes 3 cigars a day. More if he's on the clock or stressed out.
• He can sing really well, as long as it's Franks Inatra. (Well known Troll Musician.) Otherwise he will just speak the song or not sing at all.
==Gallery==
[[File:Officer Down!.png|200px]]
[[File:Looksi at his office.png|200px]]
[[File:The Hell?.png|200px|Don't tell him.]]
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
63376e17ed61dddd75d87198f23353cad54c6787
957
952
2023-11-02T15:39:09Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{/Infobox}}
'''Looksi Gumshu''', also known by his Moonbounce handle '''phlegmaticInspector''', is one of the trolls in RE: Symphony. His sign is Libza.
He joined day one of the server by means of a strange code that he received on his husktop.
==Etymology==
Looksi Gumshu is based on the words 'Look-see' and 'Gumshoe'. Which ties into his occupation of being a Detective. For his handle, Phlegmatic means 'a person having an unemotional and stolidly calm disposition.' As Looksi usually has when he solves a case or his demeanor in general. Inspector is his occupation, for his city, New Troll City. His handle acronyms 'PI' is also a joke on the acronym for Private Investigator.
==Biography==
===Early Life===
Looksi for a good long term of his life was a snarky, alcoholic detective who was amazing at solving crimes, guy could tell someone was lying the second he spoke to them. He worked in the precinct New Troll City and had a huge crush on the Scientific Investigator, Drewcy and the two would work on crimes together as well. It was a partnership both romantically and work wise. At some point during Looksi's career, a young cerulean by the name of Jonesy Triton saw how this bad ass detective would work and wanted to grow up to be him one day. So he pestered and begged to be his assistant to which Looksi (mostly Drewcy just telling him he should do it) agreed. And overtime Looksi dropped his addiction to alcohol as the biggest serial killer case was going on, a teal blood going around killing highbloods. Looksi and gang took on the case, and one day, Jonesy wanted to do more so he begged and cried until Looksi let him investigate on his own and Looksi agreed. He didn't think the kid was going to solve the crime. He thought it was going to be some dead end, but eventually Looksi figured it out too and saw that Jonesy was mere seconds from dying by a trap from the killer. Before Looksi could even say anything- Jonesy gets crushed by the big crate. And the killer is revealed to be none other than Drewcy, or rather their real name. Arsene Ripper. And Looksi because of conflicted feeling lets Arsene go on accident. And ever since then, Looksi Gumshu will not work with anyone or trust anyone ever again.
===Act 1===
For a good majority of act 1, Looksi spent his time trying to understand the mystery of the chatroom. Trying to understand how they got stuck there, the code being sent through mysterious means and the like. Ravi joins him in investigating Moonboune HQ which seems to be run rampid with growing red vines. During this time he starts slightly working with Barise to make sure Skoozy isn't up to anything nefarious. He also joins in the investigation about Myrkri which nearly got him killed. He did not attend the party that Guppie was throwing.
===Act 2===
==Personality and Traits==
Looksi is a very mature and responsible troll who will do what he can to solve the case at hand. For a good portion of his life he was a drunken bastard with no sense of care for himself but still cared deeply about others in his life. After the Arsene incident, Looksi shut off everyone around him and would carry the burden all by himself, vowing to never trust anyone again. Eventually during his time in the chatroom he is slowly opening up to others and letting them in his life, but he still has doubt and worry over everything, especially since the Skoozy ordeal.
==Relationships==
===Drewcy/Arsene Ripper===
Like stated earlier, Looksi and Arsene have known eachother for years and have worked together as well. The two started out as moirails but then grew into a matespritship. However, it was all unfortunatly one sided due to Arsene being a serial killer and was only using Looksi, to which when Arsene escaped led him down a long and heartbroken path of no longer trusting or loving anyone ever again.
===Jonesy Triton===
Also stated earlier, Jonesy looked up to Looksi as a mentor and wanted to be just like him when he gets older. When Looksi was recovering from his addiction, he and Jonesy did become closer and did care for the little fella. He still has the mug that Jonesy gave him for his wriggling day, A white mug that reads "World's Greatest Detective".
===[[Siette Aerien]]===
The two met in the chatroom and never really cared about what either did, Siette with a bit more hostility due to Looksi being a cop. But after a while, the two became good friends.
===[[Skoozy Mcribb]]===
After Skoozy revealed his true colors and intent, Looksi vowed to put a stop to him. Unfortunately, it has been quite the battle both physically and mentally for him.
==Trivia==
• Design is based on [https://cookierun.fandom.com/wiki/Almond%20Cookie Almond Cookie from Cookie Run.]
• Roughly smokes 3 cigars a day. More if he's on the clock or stressed out.
• He can sing really well, as long as it's Franks Inatra. (Well known Troll Musician.) Otherwise he will just speak the song or not sing at all.
==Gallery==
[[File:Officer Down!.png|200px]]
[[File:Looksi at his office.png|200px]]
[[File:The Hell?.png|200px|Don't tell him.]]
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
0e2c688d48d9be8228ac088664adba326ca3c305
959
957
2023-11-02T15:57:28Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{/Infobox}}
'''Looksi Gumshu''', also known by his Moonbounce handle '''phlegmaticInspector''', is one of the trolls in RE: Symphony. His sign is Libza.
He joined day one of the server by means of a strange code that he received on his husktop.
==Etymology==
Looksi Gumshu is based on the words 'Look-see' and 'Gumshoe'. Which ties into his occupation of being a Detective. For his handle, Phlegmatic means 'a person having an unemotional and stolidly calm disposition.' As Looksi usually has when he solves a case or his demeanor in general. Inspector is his occupation, for his city, New Troll City. His handle acronyms 'PI' is also a joke on the acronym for Private Investigator.
==Biography==
===Early Life===
Looksi for a good long term of his life was a snarky, alcoholic detective who was amazing at solving crimes, guy could tell someone was lying the second he spoke to them. He worked in the precinct New Troll City and had a huge crush on the Scientific Investigator, Drewcy and the two would work on crimes together as well. It was a partnership both romantically and work wise. At some point during Looksi's career, a young cerulean by the name of Jonesy Triton saw how this bad ass detective would work and wanted to grow up to be him one day. So he pestered and begged to be his assistant to which Looksi (mostly Drewcy just telling him he should do it) agreed. And overtime Looksi dropped his addiction to alcohol as the biggest serial killer case was going on, a teal blood going around killing highbloods. Looksi and gang took on the case, and one day, Jonesy wanted to do more so he begged and cried until Looksi let him investigate on his own and Looksi agreed. He didn't think the kid was going to solve the crime. He thought it was going to be some dead end, but eventually Looksi figured it out too and saw that Jonesy was mere seconds from dying by a trap from the killer. Before Looksi could even say anything- Jonesy gets crushed by the big crate. And the killer is revealed to be none other than Drewcy, or rather their real name. Arsene Ripper. And Looksi because of conflicted feeling lets Arsene go on accident. And ever since then, Looksi Gumshu will not work with anyone or trust anyone ever again.
===Act 1===
For a good majority of act 1, Looksi spent his time trying to understand the mystery of the chatroom. Trying to understand how they got stuck there, the code being sent through mysterious means and the like. Ravi joins him in investigating Moonboune HQ which seems to be run rampid with growing red vines. During this time he starts slightly working with Barise to make sure Skoozy isn't up to anything nefarious. He also joins in the investigation about Myrkri which nearly got him killed. He did not attend the party that Guppie was throwing.
===Act 2===
==Personality and Traits==
Looksi is a very mature and responsible troll who will do what he can to solve the case at hand. For a good portion of his life he was a drunken bastard with no sense of care for himself but still cared deeply about others in his life. After the Arsene incident, Looksi shut off everyone around him and would carry the burden all by himself, vowing to never trust anyone again. Eventually during his time in the chatroom he is slowly opening up to others and letting them in his life, but he still has doubt and worry over everything, especially since the Skoozy ordeal.
==Relationships==
===Drewcy/Arsene Ripper===
Like stated earlier, Looksi and Arsene have known eachother for years and have worked together as well. The two started out as moirails but then grew into a matespritship. However, it was all unfortunatly one sided due to Arsene being a serial killer and was only using Looksi, to which when Arsene escaped led him down a long and heartbroken path of no longer trusting or loving anyone ever again.
===Jonesy Triton===
Also stated earlier, Jonesy looked up to Looksi as a mentor and wanted to be just like him when he gets older. When Looksi was recovering from his addiction, he and Jonesy did become closer and did care for the little fella. He still has the mug that Jonesy gave him for his wriggling day, A white mug that reads "World's Greatest Detective".
===[[Siette Aerien]]===
The two met in the chatroom and never really cared about what either did, Siette with a bit more hostility due to Looksi being a cop. But after a while, the two became good friends.
===[[Skoozy Mcribb]]===
After Skoozy revealed his true colors and intent, Looksi vowed to put a stop to him. Unfortunately, it has been quite the battle both physically and mentally for him.
==Trivia==
• Design is based on [https://cookierun.fandom.com/wiki/Almond%20Cookie Almond Cookie from Cookie Run.]
• Roughly smokes 3 cigars a day. More if he's on the clock or stressed out.
• He can sing really well, as long as it's Franks Inatra. (Well known Troll Musician.) Otherwise he will just speak the song or not sing at all.
• His lusus is a Bloodhound, it's name is Dog.
==Gallery==
[[File:Officer Down!.png|200px]]
[[File:Looksi at his office.png|200px]]
[[File:The Hell?.png|200px|Don't tell him.]]
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
b6f82b2539407175487a477db7ba6604c2f30a82
960
959
2023-11-02T15:59:04Z
Wowzersbutnot
5
/* Gallery */
wikitext
text/x-wiki
{{/Infobox}}
'''Looksi Gumshu''', also known by his Moonbounce handle '''phlegmaticInspector''', is one of the trolls in RE: Symphony. His sign is Libza.
He joined day one of the server by means of a strange code that he received on his husktop.
==Etymology==
Looksi Gumshu is based on the words 'Look-see' and 'Gumshoe'. Which ties into his occupation of being a Detective. For his handle, Phlegmatic means 'a person having an unemotional and stolidly calm disposition.' As Looksi usually has when he solves a case or his demeanor in general. Inspector is his occupation, for his city, New Troll City. His handle acronyms 'PI' is also a joke on the acronym for Private Investigator.
==Biography==
===Early Life===
Looksi for a good long term of his life was a snarky, alcoholic detective who was amazing at solving crimes, guy could tell someone was lying the second he spoke to them. He worked in the precinct New Troll City and had a huge crush on the Scientific Investigator, Drewcy and the two would work on crimes together as well. It was a partnership both romantically and work wise. At some point during Looksi's career, a young cerulean by the name of Jonesy Triton saw how this bad ass detective would work and wanted to grow up to be him one day. So he pestered and begged to be his assistant to which Looksi (mostly Drewcy just telling him he should do it) agreed. And overtime Looksi dropped his addiction to alcohol as the biggest serial killer case was going on, a teal blood going around killing highbloods. Looksi and gang took on the case, and one day, Jonesy wanted to do more so he begged and cried until Looksi let him investigate on his own and Looksi agreed. He didn't think the kid was going to solve the crime. He thought it was going to be some dead end, but eventually Looksi figured it out too and saw that Jonesy was mere seconds from dying by a trap from the killer. Before Looksi could even say anything- Jonesy gets crushed by the big crate. And the killer is revealed to be none other than Drewcy, or rather their real name. Arsene Ripper. And Looksi because of conflicted feeling lets Arsene go on accident. And ever since then, Looksi Gumshu will not work with anyone or trust anyone ever again.
===Act 1===
For a good majority of act 1, Looksi spent his time trying to understand the mystery of the chatroom. Trying to understand how they got stuck there, the code being sent through mysterious means and the like. Ravi joins him in investigating Moonboune HQ which seems to be run rampid with growing red vines. During this time he starts slightly working with Barise to make sure Skoozy isn't up to anything nefarious. He also joins in the investigation about Myrkri which nearly got him killed. He did not attend the party that Guppie was throwing.
===Act 2===
==Personality and Traits==
Looksi is a very mature and responsible troll who will do what he can to solve the case at hand. For a good portion of his life he was a drunken bastard with no sense of care for himself but still cared deeply about others in his life. After the Arsene incident, Looksi shut off everyone around him and would carry the burden all by himself, vowing to never trust anyone again. Eventually during his time in the chatroom he is slowly opening up to others and letting them in his life, but he still has doubt and worry over everything, especially since the Skoozy ordeal.
==Relationships==
===Drewcy/Arsene Ripper===
Like stated earlier, Looksi and Arsene have known eachother for years and have worked together as well. The two started out as moirails but then grew into a matespritship. However, it was all unfortunatly one sided due to Arsene being a serial killer and was only using Looksi, to which when Arsene escaped led him down a long and heartbroken path of no longer trusting or loving anyone ever again.
===Jonesy Triton===
Also stated earlier, Jonesy looked up to Looksi as a mentor and wanted to be just like him when he gets older. When Looksi was recovering from his addiction, he and Jonesy did become closer and did care for the little fella. He still has the mug that Jonesy gave him for his wriggling day, A white mug that reads "World's Greatest Detective".
===[[Siette Aerien]]===
The two met in the chatroom and never really cared about what either did, Siette with a bit more hostility due to Looksi being a cop. But after a while, the two became good friends.
===[[Skoozy Mcribb]]===
After Skoozy revealed his true colors and intent, Looksi vowed to put a stop to him. Unfortunately, it has been quite the battle both physically and mentally for him.
==Trivia==
• Design is based on [https://cookierun.fandom.com/wiki/Almond%20Cookie Almond Cookie from Cookie Run.]
• Roughly smokes 3 cigars a day. More if he's on the clock or stressed out.
• He can sing really well, as long as it's Franks Inatra. (Well known Troll Musician.) Otherwise he will just speak the song or not sing at all.
• His lusus is a Bloodhound, it's name is Dog.
==Gallery==
<gallery widths=200px heights=150px>
[[File:Officer Down!.png|]]
[[File:Looksi at his office.png|]]
[[File:The Hell?.png|Don't tell him.]]
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
0193b64c8984100cfcf894257b7c4ef2028a5689
File:Looksi sprite (old).png
6
505
953
2023-11-02T15:23:40Z
Wowzersbutnot
5
wikitext
text/x-wiki
Older Tie
fedf2add5a31a8daea2123959c70a98b966f7b18
File:Looksi Sprite.png
6
89
955
283
2023-11-02T15:26:25Z
Wowzersbutnot
5
Wowzersbutnot uploaded a new version of [[File:Looksi Sprite.png]]
wikitext
text/x-wiki
Looksi Sprite
98bde60392a53ba2b339d7998fa90dabad290c5e
Skoozy Mcribb
0
4
958
620
2023-11-02T15:56:41Z
Mordimoss
4
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his [[Moonbounce|Moonbounce]] tag {{RS quote|goldblood|analyticalSwine}}, he is option depicted with the Mcdonald's golden arches symbol rather than his true sign, gemza.
Skoozy joined the server on day one, claiming initially that "link said free trobux?" but it is later implied that he joined via spying on [[Paluli Anriqi|Paluli]].
==Etymology==
Although "Skoozy" has many meanings in American english slang, his name was chosen as a purely random collection of sounds, rather than to be symbolic of his character. "Mcribb" was similarly chosen as a silly name, but was explored upon further as Skoozy has a deep rooted love for Mcdonald's. The name Mcribb may also be tied to Skoozy's lusus being a large pig, which could also be further referenced in his Moonbounce tag "analyticalSwine". As troll tags are chosen by the character, it is assumed that Skoozy chose "analytical" because he prides that aspect of his personality, and "Swine" out of respect for his lusus.
==Biography==
===Early life===
Very little is known about Skoozy's early life, though it was alluded that he had longtime connections with the pirates. Later he is shown in [https://en.wikipedia.org/wiki/Flashback%20(narrative) flashbacks] to have worked with both [[Pyrrah Kappen|Pyrrah]] and with [[Calico Drayke|Calico's]] crew, despite the hatred between the two crews. It is also heavily implied that he is responsible for Paluli's mutated appearance, suggesting he somehow experimented with her before she emerged from the brooding caverns, despite the fact they are close in age.
===Act 1===
Skoozy initially does not reveal his true nature to those in the chatroom, and does his best to come across as a nonthreatening, albeit annoying, trickster. Slowly he drops his facade by asking increasingly disturbing questions, and harassing server members, most notably Harfil, Mabuya and Paluli. While he never admitted it outright, he called upon Calico and his crew to crash Guppie's big party as he was not invited, when Calico and Tewkid later joined the chatroom, they and Skoozy agreed to pretend like they didn't know each other. This act was cleared later by Skoozy himself when he discovered Tewkid was with Myrkri, whom Skoozy was in a fake relationship at the time.
Skoozy's true nature was being revealed in events outside of the server's knowledge, as he kidnapped and experimented on mutated olive twins and a mutated indigo. As a bit of fun, he sent one of his experiments to deliver a package to Paluli, who fainted upon seeing the contents of the package. Not long after, he kidnaps Harfil, which the server discovers almost immediately thanks to a hacker named Kishno, and small group then go to free Harfil, consisting of Siette, Tennis, Venrot, Patiya and Ponzii, who shows up the earliest. Ponzii and Skoozy hang out before the others arrive. In the commotion, Tennis cuts off Skoozy's right arm, which allows him to escpae Harfil's grasp, as well as everyone else as he runs away into the night.
Looksi was originally supposed to be there for Harfil's release, but he got caught in train traffic, however, once he and Barise get word that Skoozy is still at large, and Paluli just so happens to be no longer responding to messages after visiting her hive, the teal twins race to her hive. While he knows the teals will arrive soon, Skoozy toys with Paluli, making her dance with him and saying things like they match now that his arm is cut off. When Barise and Looksi arrive, Skoozy does not act threatened and refuses to back down, all of this culminating into Looksi firing off a shot right at Skoozy's head. This would have killed Skoozy, but he had foreseen this outcome to some degree and took measures against it, moments after the shot was fired, he drops a psiionic illusion, revealing that while the bullet grazed him, the one who got shot in the head was in fact Paluli. Utilizing their shock to his advantage, Skoozy drops Paluli, and starts running once again, Looksi gives chase, but is ultimately unsuccessful in catching him.
This develops into a pattern between the two, Skoozy being found multiple times by the detective, but Looksi being unable to hunt him down fully. One of these times the two get into a physical altercation, but Skoozy comes out on top, taking a photo of Looksi beaten and broken, posting it in the server, not only to humiliate Looksi, but also to mock everyone who wants him dead. During his time on the run he changes his appearance, severing most of his horns as well as cutting and redyeing his hair, and getting a few robotic arms from Calico and Shikki.
===Death===
Skoozy is soon approached by the Priestess, who offers him a job, to which he accepts. While he is operating on the vessel the Priestess provided for him, the body bleeds out and dies, leading him to once again, run. However, this time, the entire planet is looking for him, the Heiress and drones included. Skoozy runs into another group of server members once again, taking turns beating on him before he sits cornered, the Heiress looming over him. Moments before he is annihilated by the Heiress's war ship, Skoozy releases a massive burst of psiionic energy, which is later revealed to be a shattering of his mind that "infects" others, coined as "The Skoozy Virus".
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<gallery widths=200px heights=150px>
File:Skoozy can make a difference.png|Skoozy
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
260b3d7d4c8e6aefeb8da48fc28a5d92c86d3dfd
961
958
2023-11-02T16:35:45Z
Mordimoss
4
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his [[Moonbounce|Moonbounce]] tag {{RS quote|goldblood|analyticalSwine}}, he is option depicted with the Mcdonald's golden arches symbol rather than his true sign, gemza.
Skoozy joined the server on day one, claiming initially that "link said free trobux?" but it is later implied that he joined via spying on [[Paluli Anriqi|Paluli]].
==Etymology==
Although "Skoozy" has many meanings in American english slang, his name was chosen as a purely random collection of sounds, rather than to be symbolic of his character. "Mcribb" was similarly chosen as a silly name, but was explored upon further as Skoozy has a deep rooted love for Mcdonald's. The name Mcribb may also be tied to Skoozy's lusus being a large pig, which could also be further referenced in his Moonbounce tag "analyticalSwine". As troll tags are chosen by the character, it is assumed that Skoozy chose "analytical" because he prides that aspect of his personality, and "Swine" out of respect for his lusus.
==Biography==
===Early life===
Very little is known about Skoozy's early life, though it was alluded that he had longtime connections with the pirates. Later he is shown in [https://en.wikipedia.org/wiki/Flashback%20(narrative) flashbacks] to have worked with both [[Pyrrah Kappen|Pyrrah]] and with [[Calico Drayke|Calico's]] crew, despite the hatred between the two crews. It is also heavily implied that he is responsible for Paluli's mutated appearance, suggesting he somehow experimented with her before she emerged from the brooding caverns, despite the fact they are close in age.
===Act 1===
Skoozy initially does not reveal his true nature to those in the chatroom, and does his best to come across as a nonthreatening, albeit annoying, trickster. Slowly he drops his facade by asking increasingly disturbing questions, and harassing server members, most notably Harfil, Mabuya and Paluli. While he never admitted it outright, he called upon Calico and his crew to crash Guppie's big party as he was not invited, when Calico and Tewkid later joined the chatroom, they and Skoozy agreed to pretend like they didn't know each other. This act was cleared later by Skoozy himself when he discovered Tewkid was with Myrkri, whom Skoozy was in a fake relationship at the time.
Skoozy's true nature was being revealed in events outside of the server's knowledge, as he kidnapped and experimented on mutated olive twins and a mutated indigo. As a bit of fun, he sent one of his experiments to deliver a package to Paluli, who fainted upon seeing the contents of the package. Not long after, he kidnaps Harfil, which the server discovers almost immediately thanks to a hacker named Kishno, and small group then go to free Harfil, consisting of Siette, Tennis, Venrot, Patiya and Ponzii, who shows up the earliest. Ponzii and Skoozy hang out before the others arrive. In the commotion, Tennis cuts off Skoozy's right arm, which allows him to escpae Harfil's grasp, as well as everyone else as he runs away into the night.
Looksi was originally supposed to be there for Harfil's release, but he got caught in train traffic, however, once he and Barise get word that Skoozy is still at large, and Paluli just so happens to be no longer responding to messages after visiting her hive, the teal twins race to her hive. While he knows the teals will arrive soon, Skoozy toys with Paluli, making her dance with him and saying things like they match now that his arm is cut off. When Barise and Looksi arrive, Skoozy does not act threatened and refuses to back down, all of this culminating into Looksi firing off a shot right at Skoozy's head. This would have killed Skoozy, but he had foreseen this outcome to some degree and took measures against it, moments after the shot was fired, he drops a psiionic illusion, revealing that while the bullet grazed him, the one who got shot in the head was in fact Paluli. Utilizing their shock to his advantage, Skoozy drops Paluli, and starts running once again, Looksi gives chase, but is ultimately unsuccessful in catching him.
This develops into a pattern between the two, Skoozy being found multiple times by the detective, but Looksi being unable to hunt him down fully. One of these times the two get into a physical altercation, but Skoozy comes out on top, taking a photo of Looksi beaten and broken, posting it in the server, not only to humiliate Looksi, but also to mock everyone who wants him dead. During his time on the run he changes his appearance, severing most of his horns as well as cutting and redyeing his hair, and getting a few robotic arms from Calico and Shikki.
===Death===
Skoozy is soon approached by the Priestess, who offers him a job, to which he accepts. While he is operating on the vessel the Priestess provided for him, the body bleeds out and dies, leading him to once again, run. However, this time, the entire planet is looking for him, the Heiress and drones included. Skoozy runs into another group of server members once again, taking turns beating on him before he sits cornered, the Heiress looming over him. Moments before he is annihilated by the Heiress's war ship, Skoozy releases a massive burst of psiionic energy, which is later revealed to be a shattering of his mind that "infects" others, coined as "The Skoozy Virus".
==Personality and Traits==
Skoozy is a silly guy, who at his core cares about very little aside from his own gratification and his work. He likes to be in control, to the degree that he will manipulate anything and anyone to have any semblance of control over a situation. But, even with his cold and calculating nature, he can find humor in almost anything, whether or not it's appropriate humor is another story.
==Relationships==
'''[[Paluli Anriqi|Paluli]]'''
Deemed by him as "his greatest creation", Paluli and Skoozy have a very unhealthy relationship. Skoozy loves her the same way someone loves a plant they grew in their garden, he takes great pride in her, knowing she is not only his first experiment, but also his most successful. He's spent his entire life trying to replicate her. Despite his pride, he will not think twice about sacrificing her to save his own skin. He also greatly enjoys toying with her, commissioning Ekosit to paint a portrait of her in agony just to upset her. There are no romantic undertones to their relationship, not even black romance.
'''[[Looksi Gumshu|Looksi]]'''
Skoozy and Looksi are natural enemies. Skoozy views their relationship as very cat and mouse, and gets tremendous joy out of messing with the detective psychologically, going as far as to kill someone of whom he had no motive or desire to kill, just to mess with Looksi. If Skoozy could play a sick game of Chess with Looksi forever, he would.
'''[[Calico Drayke|Calico]]'''
Calico is the only highblood Skoozy likes. They are close friends, and Skoozy knows he can always rely on Calico whenever he needs a favor, and he knows Calico feels the same. Calico is the only person Skoozy said goodbye to before he died.
'''[[Tewkid Bownes|Tewkid]]'''
Skoozy and Tewkid hate each other, however Skoozy holds all the power in their relationship. He knows that Tewkid will never hurt Skoozy for a multitude of reasons, the major ones being that Skoozy is important to Calico, and an unknown piece of information that Skoozy regularly holds over Tewkid's head.
'''[[Ponzii |Ponzii]]'''
Ponzii and Skoozy are friends, Skoozy likes that he can be stupid with Ponzii, and Ponzii doesn't ever seem to care about any of the shit Skoozy does. They are very silly.
==Trivia==
• Skoozy did his own top surgery.
==Gallery==
<gallery widths=200px heights=150px>
File:Skoozy can make a difference.png|Skoozy
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
028dfbf1a76bb97acac53e3873a27bea55594220
964
961
2023-11-02T17:12:42Z
Mordimoss
4
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Skoozy Mcribb}}
'''Skoozy Mcribb''' is a major character and antagonist in Re:Symphony, his surname is a reference to [https://en.wikipedia.org/wiki/McDonald%27s Mcdonald's] pork sandwich, the [https://en.wikipedia.org/wiki/McRib mcrib]. He is also known by his [[Moonbounce|Moonbounce]] tag {{RS quote|goldblood|analyticalSwine}}, he is option depicted with the Mcdonald's golden arches symbol rather than his true sign, gemza.
Skoozy joined the server on day one, claiming initially that "link said free trobux?" but it is later implied that he joined via spying on [[Paluli Anriqi|Paluli]].
==Etymology==
Although "Skoozy" has many meanings in American english slang, his name was chosen as a purely random collection of sounds, rather than to be symbolic of his character. "Mcribb" was similarly chosen as a silly name, but was explored upon further as Skoozy has a deep rooted love for Mcdonald's. The name Mcribb may also be tied to Skoozy's lusus being a large pig, which could also be further referenced in his Moonbounce tag "analyticalSwine". As troll tags are chosen by the character, it is assumed that Skoozy chose "analytical" because he prides that aspect of his personality, and "Swine" out of respect for his lusus.
==Biography==
===Early life===
Very little is known about Skoozy's early life, though it was alluded that he had longtime connections with the pirates. Later he is shown in [https://en.wikipedia.org/wiki/Flashback%20(narrative) flashbacks] to have worked with both [[Pyrrah Kappen|Pyrrah]] and with [[Calico Drayke|Calico's]] crew, despite the hatred between the two crews. It is also heavily implied that he is responsible for Paluli's mutated appearance, suggesting he somehow experimented with her before she emerged from the brooding caverns, despite the fact they are close in age.
===Act 1===
Skoozy initially does not reveal his true nature to those in the chatroom, and does his best to come across as a nonthreatening, albeit annoying, trickster. Slowly he drops his facade by asking increasingly disturbing questions, and harassing server members, most notably Harfil, Mabuya and Paluli. While he never admitted it outright, he called upon Calico and his crew to crash Guppie's big party as he was not invited, when Calico and Tewkid later joined the chatroom, they and Skoozy agreed to pretend like they didn't know each other. This act was cleared later by Skoozy himself when he discovered Tewkid was with Myrkri, whom Skoozy was in a fake relationship at the time.
Skoozy's true nature was being revealed in events outside of the server's knowledge, as he kidnapped and experimented on mutated olive twins and a mutated indigo. As a bit of fun, he sent one of his experiments to deliver a package to Paluli, who fainted upon seeing the contents of the package. Not long after, he kidnaps Harfil, which the server discovers almost immediately thanks to a hacker named Kishno, and small group then go to free Harfil, consisting of Siette, Tennis, Venrot, Patiya and Ponzii, who shows up the earliest. Ponzii and Skoozy hang out before the others arrive. In the commotion, Tennis cuts off Skoozy's right arm, which allows him to escpae Harfil's grasp, as well as everyone else as he runs away into the night.
Looksi was originally supposed to be there for Harfil's release, but he got caught in train traffic, however, once he and Barise get word that Skoozy is still at large, and Paluli just so happens to be no longer responding to messages after visiting her hive, the teal twins race to her hive. While he knows the teals will arrive soon, Skoozy toys with Paluli, making her dance with him and saying things like they match now that his arm is cut off. When Barise and Looksi arrive, Skoozy does not act threatened and refuses to back down, all of this culminating into Looksi firing off a shot right at Skoozy's head. This would have killed Skoozy, but he had foreseen this outcome to some degree and took measures against it, moments after the shot was fired, he drops a psiionic illusion, revealing that while the bullet grazed him, the one who got shot in the head was in fact Paluli. Utilizing their shock to his advantage, Skoozy drops Paluli, and starts running once again, Looksi gives chase, but is ultimately unsuccessful in catching him.
This develops into a pattern between the two, Skoozy being found multiple times by the detective, but Looksi being unable to hunt him down fully. One of these times the two get into a physical altercation, but Skoozy comes out on top, taking a photo of Looksi beaten and broken, posting it in the server, not only to humiliate Looksi, but also to mock everyone who wants him dead. During his time on the run he changes his appearance, severing most of his horns as well as cutting and redyeing his hair, and getting a few robotic arms from Calico and Shikki.
===Death===
Skoozy is soon approached by the Priestess, who offers him a job, to which he accepts. While he is operating on the vessel the Priestess provided for him, the body bleeds out and dies, leading him to once again, run. However, this time, the entire planet is looking for him, the Heiress and drones included. Skoozy runs into another group of server members once again, taking turns beating on him before he sits cornered, the Heiress looming over him. Moments before he is annihilated by the Heiress's war ship, Skoozy releases a massive burst of psiionic energy, which is later revealed to be a shattering of his mind that "infects" others, coined as "The Skoozy Virus".
==Personality and Traits==
Skoozy is a silly guy, who at his core cares about very little aside from his own gratification and his work. He likes to be in control, to the degree that he will manipulate anything and anyone to have any semblance of control over a situation. But, even with his cold and calculating nature, he can find humor in almost anything, whether or not it's appropriate humor is another story.
==Relationships==
'''[[Paluli Anriqi|Paluli]]'''
Deemed by him as "his greatest creation", Paluli and Skoozy have a very unhealthy relationship. Skoozy loves her the same way someone loves a plant they grew in their garden, he takes great pride in her, knowing she is not only his first experiment, but also his most successful. He's spent his entire life trying to replicate her. Despite his pride, he will not think twice about sacrificing her to save his own skin. He also greatly enjoys toying with her, commissioning Ekosit to paint a portrait of her in agony just to upset her. There are no romantic undertones to their relationship, not even black romance.
'''[[Looksi Gumshu|Looksi]]'''
Skoozy and Looksi are natural enemies. Skoozy views their relationship as very cat and mouse, and gets tremendous joy out of messing with the detective psychologically, going as far as to kill someone of whom he had no motive or desire to kill, just to mess with Looksi. If Skoozy could play a sick game of Chess with Looksi forever, he would.
'''[[Calico Drayke|Calico]]'''
Calico is the only highblood Skoozy likes. They are close friends, and Skoozy knows he can always rely on Calico whenever he needs a favor, and he knows Calico feels the same. Calico is the only person Skoozy said goodbye to before he died.
'''[[Tewkid Bownes|Tewkid]]'''
Skoozy and Tewkid hate each other, however Skoozy holds all the power in their relationship. He knows that Tewkid will never hurt him for a multitude of reasons, the major ones being that Skoozy is important to Calico, and an unknown piece of information that Skoozy regularly holds over Tewkid's head.
'''[[Ponzii |Ponzii]]'''
Ponzii and Skoozy are friends, Skoozy likes that he can be stupid with Ponzii, and Ponzii doesn't ever seem to care about any of the shit Skoozy does. They are very silly.
==Trivia==
• Skoozy did his own top surgery.
==Gallery==
<gallery widths=200px heights=150px>
File:Skoozy can make a difference.png|Skoozy
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
0aa907390718e97b16d4635b31dddf3e13411f60
File:Tewkid sprite.png
6
506
962
2023-11-02T16:44:23Z
Mordimoss
4
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Tewkid Bownes/Infobox
0
443
963
819
2023-11-02T16:59:25Z
Mordimoss
4
wikitext
text/x-wiki
{{Character Infobox
|name = Tewkid Bownes
|symbol = [[File:Aquacen.png|23px]]
|symbol2 = [[File:Aspect_Blood.png|32px]]
|complex = [[File:Tewkid_sprite.png]]
|caption = {{RS quote|violetblood| arrrr sorry}}
|intro = 9/22/2021
|title = {{Classpect|Blood|Page}}
|age = {{Age|10}}
|gender = He/Him (Male)
|status = Alive
|screenname = domesticRover
|style = quirk is adding a "...." at the end of every message, but because he is either consistently drunk, over excited to text, or both, he usually types incomprehensibly, yet still with a pirate accent.
|specibus = Musketkind
|modus = Fishing Minigame
|relations = [[The Deceiver|{{RS quote|violetblood|The Deceiver}}]] - [[Ancestors|Ancestor]]
|planet = Land of Pusillanimity and Precipices
|likes = Calico and the rest of the crew, the server
|dislikes = himself
|aka = Tewwey, Kid
|creator = Mordmiss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
096e64d538ddddfa02b9aef814fc4f88f0b9a294
965
963
2023-11-02T17:14:18Z
Mordimoss
4
wikitext
text/x-wiki
{{Character Infobox
|name = Tewkid Bownes
|symbol = [[File:Aquacen.png|23px]]
|symbol2 = [[File:Aspect_Blood.png|32px]]
|complex = [[File:Tewkid_sprite.png]]
|caption = {{RS quote|violetblood| arrrr sorry}}
|intro = 9/22/2021
|title = {{Classpect|Blood|Page}}
|age = {{Age|10}}
|gender = He/Him (Male)
|status = Alive
|screenname = domesticRover
|style = quirk is adding a "...." at the end of every message, but because he is either consistently drunk, over excited to text, or both, he usually types incomprehensibly, yet still with a pirate accent.
|specibus = Musketkind
|modus = Fishing Minigame
|relations = [[The Deceiver|{{RS quote|violetblood|The Deceiver}}]] - [[Ancestors|Ancestor]]
|planet = Land of Pusillanimity and Precipices
|likes = Calico and the rest of the crew, the server
|dislikes = himself
|aka = Tewwey, Kid, Bones
|creator = Mordmiss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
b4392aada80328961921ebedf9f2ccfb1bb61531
Paluli Anriqi/Infobox
0
442
967
784
2023-11-02T17:35:58Z
Mordimoss
4
wikitext
text/x-wiki
{{Character Infobox
|name = Paluli Anriqi
|symbol = [[File:Arsci.png|32px]]
|symbol2 = [[File:Aspect_Life.png|32px]]
|complex = [[File:Paluli_Temp.png]]
|caption = {{RS quote|rustblood| i'll qlwqys be here for you, deqr deqr}}
|intro = 08/04/2021
|title = {{Classpect|Life|Maid}}
|age = {{Age|8.5}}
|gender = She/Her (Female)
|status = Dead, Awake on Prospit
|screenname = forgedHeart
|style = she replaces ever "A" with a "Q" and repeats the last word of every message
|specibus = Shearkind
|modus = Dartboard
|relations = [[Barise Klipse|{{RS quote|tealblood | Barise Klipse}}]] - [[Matesprit|Matesprit]]
[[The Tinkerer|{{RS quote|rustblood |The Tinkerer}}]] - [[Ancestors|Ancestor]]
|planet = Land of Mirrors and Music boxes
|likes = Music, reading, Barise
|dislikes = Blood, violence, Skoozy
|aka = {{RS quote|bronzeblood|Pauli }}([[Ponzii|ponzii]])
{{RS quote|purpleblood|Angel }}([[Siette Aerien|siette]])
{{RS quote|violetblood|polywag }}([[Tewkid Bownes|tewkid]])
{{RS quote|violetblood|lulu }}(Mabuya)
|creator = Mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
8aebd13de7e12332d84113bfe6ccf61f3883df0e
980
967
2023-11-02T22:51:00Z
Mordimoss
4
wikitext
text/x-wiki
{{Character Infobox
|name = Paluli Anriqi
|symbol = [[File:Arsci.png|32px]]
|symbol2 = [[File:Aspect_Life.png|32px]]
|complex = |complex= <tabber>
|-| Current Paluli= [[File:Paluli_Temp.png]]
|-| Original Paluli= [[File:OGPaluli.png]]
etc
</tabber>
|caption = {{RS quote|rustblood| i'll qlwqys be here for you, deqr deqr}}
|intro = 08/04/2021
|title = {{Classpect|Life|Maid}}
|age = {{Age|8.5}}
|gender = She/Her (Female)
|status = Dead, Awake on Prospit
|screenname = forgedHeart
|style = she replaces ever "A" with a "Q" and repeats the last word of every message
|specibus = Shearkind
|modus = Dartboard
|relations = [[Barise Klipse|{{RS quote|tealblood | Barise Klipse}}]] - [[Matesprit|Matesprit]]
[[The Tinkerer|{{RS quote|rustblood |The Tinkerer}}]] - [[Ancestors|Ancestor]]
|planet = Land of Mirrors and Music boxes
|likes = Music, reading, Barise
|dislikes = Blood, violence, Skoozy
|aka = {{RS quote|bronzeblood|Pauli }}([[Ponzii|ponzii]])
{{RS quote|purpleblood|Angel }}([[Siette Aerien|siette]])
{{RS quote|violetblood|polywag }}([[Tewkid Bownes|tewkid]])
{{RS quote|violetblood|lulu }}(Mabuya)
|creator = Mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
a610b927e861fbe68bd9f2a1d2b9167fab655d9e
Paluli Anriqi
0
14
968
251
2023-11-02T17:36:37Z
Mordimoss
4
wikitext
text/x-wiki
{{/Infobox}}
just a little gal
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
0b6b31f9b0288f883381957735574b01d9ae9c36
975
968
2023-11-02T22:25:01Z
Mordimoss
4
wikitext
text/x-wiki
{{/Infobox}}
'''Paluli Anriqi''' is one of the first characters to appear in [[Re:Symphony|Re:symphony]], she has gone through two major iterations of herself, but is still a consistent member of the server. The [[Moonbounce]] tag she originally joined under was {{RS quote|rustblood| lopsidedGallimaufry}} but after dying she later rejoined under the tag {{RS quote|rustblood| forgedHeart}}. Paluli originally lied about how she found the server, claiming she had sneezed and face planted into her keyboard, causing the server to open on her husktop, but it's later revealed in a private conversation she had with [[Guppie Suamui|Guppie]] that she saw the invite code in a dream. Her sign is Arsci.
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
de61b79e37de1eba98acd13e1bf3c7363a837edf
976
975
2023-11-02T22:29:15Z
Mordimoss
4
wikitext
text/x-wiki
{{/Infobox}}
'''Paluli Anriqi''' is one of the first characters to appear in [[Re:Symphony|Re:symphony]], she has gone through two major iterations of herself, but is still a consistent member of the server. The [[Moonbounce]] tag she originally joined under was {{RS quote|rustblood| lopsidedGallimaufry}} but after dying she later rejoined under the tag {{RS quote|rustblood| forgedHeart}}. Paluli originally lied about how she found the server, claiming she had sneezed and face planted into her keyboard, causing the server to open on her husktop, but it's later revealed in a private conversation she had with [[Guppie Suamui|Guppie]] that she saw the invite code in a dream. Her sign is Arsci.
==Etymology==
While the name [https://en.wikipedia.org/wiki/Murat%20Paluli Paluli] belongs to a real life turkish soccer player, that information was unknown to creator, [[Mordimoss]], during the character creation process. Both her first and last names were chosen because they sounded nice.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
035e098af99c2fe95a6f8a264e1e553cceba7aac
978
976
2023-11-02T22:46:30Z
Mordimoss
4
wikitext
text/x-wiki
{{/Infobox}}
'''Paluli Anriqi''' is one of the first characters to appear in [[Re:Symphony|Re:symphony]], she has gone through two major iterations of herself, but is still a consistent member of the server. The [[Moonbounce]] tag she originally joined under was {{RS quote|rustblood| lopsidedGallimaufry}} but after dying she later rejoined under the tag {{RS quote|rustblood| forgedHeart}}. Paluli originally lied about how she found the server, claiming she had sneezed and face planted into her keyboard, causing the server to open on her husktop, but it's later revealed in a private conversation she had with [[Guppie Suamui|Guppie]] that she saw the invite code in a dream. Her sign is Arsci.
==Etymology==
While the name [https://en.wikipedia.org/wiki/Murat%20Paluli Paluli] belongs to a real life turkish soccer player, that information was unknown to creator, [[Mordimoss]], during the character creation process. Both her first and last names were chosen because they sounded nice. Paluli's original tag was made to mostly be in reference to her mutated appearance, and the fact that she did have much confidence in herself or her looks. the term "lopsided" refers to when one side lower or smaller than the other, this can be referencing her arms(or lack thereof) or her eyes being different sizes and shapes, as well as her horns. Similarly "gallimaufry" means a confused jumble or medley of things, which not only can be in reference to her appearance, but also the way she thinks about her relationships with others. Paluli at the start is very confused about her relationship and feelings towards others. Her second tag mostly references her interests and personality, "forged" can mean fake, but in this context it is explicitly referring to the act or forging something in a fire, or creating something in a craft. Not only is this in reference to her profession of glass blowing, but it also is symbolic of herself being remade, or forged, into who she is now. The second part, "heart" can be taken much more simply, while she intended it in the literal sense, it is meant to be symbolic of her love for others and her central place in the story line.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
725e223d4593dfb8b56018b2b43b1911e66f77c8
Ponzii ??????/Infobox
0
109
969
777
2023-11-02T18:42:45Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{Character Infobox
|name = Ponzii ??????
|symbol = [[File:Taurlo.png|32px]]
|symbol2 = [[File:Aspect_Heart.png|32px]]
|complex = [[File:Ponzii Sprite.png]]
|caption = {{RS quote|bronzeblood|and t#en i wink at t#e camera}}
|intro =
|title = {{Classpect|Heart|Thief}}
|age = {{Age|8.7}}
|gender = Any (Nonbinary)
|status = Alive
|screenname = acquisitiveSupreme
|style = Does not give a fuck about spelling,grammar,punctuation. also replaces 'h' with #.
|specibus = Daggerkind
|modus = Memory
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Red|Cherie}}]] - [[Relation Link Page(Matesprit)|Matesprit (Dead)]]
[[Character you want to Link to’s URL Name|{{RS quote|Bronze|The Merchant}}]] - [[Ancestors|Ancestor]]
|planet = Land of Affection and Roses
|likes = Money, Shiny Things
|dislikes = Sand
|aka = {{RS quote|purpleblood|Ponz}} ([[Siette Aerien|Siette]]), <br />
{{RS quote|greenblood|Zii}} ([[Anicca Shivuh|Anicca]]), <br />
{{RS quote|yellowblood|Pawnshop}} ([[Skoozy Mcribb|Skoozy]]), <br />
{{RS quote|violetblood|Zizi}} ([[Mabuya Arnava|Mabuya]])
|creator = Wowz}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
04ea91921d33c3c54493128fc8adaf87ce13b9a8
970
969
2023-11-02T18:44:17Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{Character Infobox
|name = Ponzii ??????
|symbol = [[File:Taurlo.png|32px]]
|symbol2 = [[File:Aspect_Heart.png|32px]]
|complex = [[File:Ponzii Sprite.png]]
|caption = {{RS quote|bronzeblood|and t#en i wink at t#e camera}}
|intro =
|title = {{Classpect|Heart|Thief}}
|age = {{Age|8.7}}
|gender = Any (Nonbinary)
|status = Alive
|screenname = acquisitiveSupreme
|style = Does not give a fuck about spelling,grammar,punctuation. also replaces 'h' with #.
|specibus = Daggerkind
|modus = Memory
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Red|Cherie}}]] - [[Relation Link Page(Matesprit)|Matesprit (Dead)]]
[[Character you want to Link to’s URL Name|{{RS quote|Bronzeblood|The Merchant}}]] - [[Ancestors|Ancestor]]
|planet = Land of Affection and Roses
|likes = Money, Shiny Things
|dislikes = Sand
|aka = {{RS quote|purpleblood|Ponz}} ([[Siette Aerien|Siette]]), <br />
{{RS quote|greenblood|Zii}} ([[Anicca Shivuh|Anicca]]), <br />
{{RS quote|yellowblood|Pawnshop}} ([[Skoozy Mcribb|Skoozy]]), <br />
{{RS quote|violetblood|Zizi}} ([[Mabuya Arnava|Mabuya]])
|creator = Wowz}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
aac7d974a0d62f4918bca6fbbbe50c686225d9ff
Ponzii
0
10
971
318
2023-11-02T18:59:43Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{/Infobox}}
'''Ponzii ??????''', also known by their Moonbounce handle '''acquisitiveSupreme''', is one of the trolls in RE: Symphony. Their fake symbol they wear is Tauricorn however, their true sign is Taurlo.
They joined 08/17/2021 by means of constant text notifications and finally decided to press on it.
==Etymology==
Ponzii is based on Ponzi Schemes as they are a thief/scammer. For their handle, Acquisitive means 'excessively interested in acquiring money or material things.' Which ties into their obsession of money and other things they can get their hands on. Supreme for both a joke on the expensive brand 'Supreme' and that they're very good at stealing.
==Biography==
===Early Life===
Despite the fact not much is revealed, Ponzii is a pretty open book. They have explained before that they met their matesprit Cherie as Ponzii was working at a cafe and the two grew close fast, doing little stupid things everyday together. One time in particular, Ponzii fucked up his eye by doing some stunt and can only see out of one eye clearly now. As of now, Cherie passed not to long ago and since then they've been vibing.
===Act 1===
As Ponzii joined the server, they tried as best as they could to pawn/steal everyones money as best as they could and it did work a good amount of the time. But would blow up in their face as he gained [[Guppie Suamui|flushed]] and pale crushes from other trolls.
==Personality and Traits==
==Relationships==
==Trivia==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
60411ca60c9dc205af6e0ca51f9f34353c80967a
Borfix Mopolb
0
508
972
2023-11-02T22:12:43Z
Mordimoss
4
Created page with "erm... what da freak ==Etymology== ==Biography== ==Personality and Traits== ==Relationships== ==Trivia== ==Gallery=="
wikitext
text/x-wiki
erm... what da freak
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
2f4f9aa096e891c561d09394da3f1422070a5b29
977
972
2023-11-02T22:34:37Z
Mordimoss
4
wikitext
text/x-wiki
Borfix is a secondary character in [[Re:Symphony]], she originally joined the server via an invite from [[Guppie Suamui|Guppie]], as Guppie wanted someone to defend her in arguments. This does not last. Borfix is also known by her [[Moonbounce]] tag {{RS quote|bronzeblood|homespunFanatic}}, her sign is taurpio.
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
99f44ad0290feae8f4661f8312d5be9cff9d1016
Keymim Idrila
0
509
973
2023-11-02T22:13:20Z
Mordimoss
4
Created page with "fucking freak ==Etymology== ==Biography== ==Personality and Traits== ==Relationships== ==Trivia== ==Gallery=="
wikitext
text/x-wiki
fucking freak
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
734211c9075b9b6432e6e8433babcf5953516a75
Rigore Mortis
0
510
974
2023-11-02T22:13:44Z
Mordimoss
4
Created page with "hi ==Etymology== ==Biography== ==Personality and Traits== ==Relationships== ==Trivia== ==Gallery=="
wikitext
text/x-wiki
hi
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
ae0a06050bea414a122d8646ccff3f9eb1992bd0
Guppie Suamui/Infobox
0
441
984
820
2023-11-02T23:05:55Z
Mordimoss
4
wikitext
text/x-wiki
{{Character Infobox
|name = Guppie Suamui
|symbol = [[File:Aquicorn.png|32px]]
|symbol2 = [[File:Aspect_Rage.png|32px]]
|complex = |complex= <tabber>
|-| Current Guppie= [[File:Current_guppie.png]]
|-| Original Guppie= [[File:Og_guppie.png]]
etc
</tabber>
|caption = {{RS quote|violetblood| ok. so}}
|intro = day they joined server
|title = {{Classpect|Rage|Sylph}}
|age = {{Age|9}}
|gender = She/Her (Female)
|status = Alive
|screenname = gossamerDaydreamer
|style = she uses owospeak, ex "owo wook owew hewe uwo"
|specibus = Hornkind
|modus = Selfie
|relations = [[The Barbaric|{{RS quote|violetblood|The Barbaric}}]] - [[Ancestors|Ancestor]]
|planet = Land of Pique and Slumber
|likes = herself, violence, hot goss
|dislikes = being told no
|aka = {{RS quote|bronzeblood|Gups}} ([[Ponzii|ponzii]])
|creator = Mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
054d90d39410731caa6d6ad282e7e143451e8d8d
Guppie Suamui
0
16
985
622
2023-11-02T23:06:16Z
Mordimoss
4
wikitext
text/x-wiki
{{/Infobox}}
Guppie Suamui, known also on [[Moonbounce]] as {{RS quote|violetblood|gossamerDaydreamer}}, is one of the many characters in Re:Symphony. She is a violet blood, who joined the server via an invite from [[Paluli Anriqi|Paluli]].
==Etymology==
Guppie's first name is a play on the spelling "[https://en.wikipedia.org/wiki/Guppy Guppy]" which is a type of small fish often kept as a pet, this is in reference to the fact that violet bloods are aquatic and have fish-like qualities. Her last name, Suamui, is just a collection of sounds that were pleasing to the ear.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
4474d592e385da27eb633d7d010c7aaabd38821d
Keymim Idrila
0
509
986
973
2023-11-02T23:11:46Z
Mordimoss
4
wikitext
text/x-wiki
'''Keymim Idrila''' is a secondary character in [[Re:Symphony]], they are a mute author who hates nearly everyone in the server. Their [[Moonbounce]] tag is {{RS quote|cobaltblood|taciturnExegete}}, their sign is Scormini.
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
042f5a38cc1b3447c8cc9aa95a8b4253db284bf7
1017
986
2023-11-04T14:05:02Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Keymim Idrila''' is a secondary character in [[Re:Symphony]], they are a mute author who hates nearly everyone in the server. Their [[Moonbounce]] tag is {{RS quote|cobaltblood|taciturnExegete}}, their sign is Scormini.
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
49e996a4b94bfe944bfe1db30f0bbb07a42c9e71
Rigore Mortis
0
510
987
974
2023-11-02T23:17:27Z
Mordimoss
4
wikitext
text/x-wiki
'''Rigore Mortis''', also known as {{RS quote|rustblood|saccharineSpecter}} on [[Moonbounce]], is yet another character in [[Re:Symphony]]. Her sign is Aries.
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
ed72267aa1da32a5b87abf9e630db97ec5b56fd5
1019
987
2023-11-04T14:06:46Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Rigore Mortis''', also known as {{RS quote|rustblood|saccharineSpecter}} on [[Moonbounce]], is yet another character in [[Re:Symphony]]. Her sign is Aries.
==Etymology==
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
45c2f5cf1e0c7a906ee5c806f0796c783657a3f2
Awoole Fenrir/Infobox
0
455
988
948
2023-11-02T23:48:33Z
HowlingHeretic
3
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:Taurmini.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = [[File:Awoole_Fenrir.png]]
|caption = {{RS quote|Bronzeblood|Woof. What}}
|intro = 4/21/22
|title = {{Classpect|Doom|Rogue}}
|age = {{Age|8.5}}
|gender = He/They (Nonbinary-Transmasc)
|status = Alive
|screenname = tinkeringLycan
|style = Begins every sentence with an onomatopoeia, such as Woof, Arf, Bark, etc. Capitalizes "W"s.
|specibus = Toolkind
|modus = Tool box
|relations = [[Anyaru_Servus|{{RS quote|ceruleanblood|Anyaru Servus}}]] - [[Kismesis|Kismesis]] </br>
{{RS quote|jadeblood|Esceia}} - [[Matesprites|Matesprit]]
|planet = Land of Steel and Caves
|likes = Fellow lowbloods, engineering, wolves, punk music,
|dislikes = Highbloods
|aka = Puppy (Esceia)
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
a95b729264284d1ab732579fb2d43057913c7b0b
1024
988
2023-11-04T14:47:14Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:Taurmini.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = |complex= <tabber>
|-| Default= [[File:Awoole_Fenrir.png]]
|-| Shirtless= [[File:Awoole Fenrir Shirtless.png]]
</tabber>
|caption = {{RS quote|Bronzeblood|Woof. What}}
|intro = 4/21/22
|title = {{Classpect|Doom|Rogue}}
|age = {{Age|8.5}}
|gender = He/They (Nonbinary-Transmasc)
|status = Alive
|screenname = tinkeringLycan
|style = Begins every sentence with an onomatopoeia, such as Woof, Arf, Bark, etc. Capitalizes "W"s.
|specibus = Toolkind
|modus = Tool box
|relations = [[Anyaru_Servus|{{RS quote|ceruleanblood|Anyaru Servus}}]] - [[Kismesis|Kismesis]] </br>
{{RS quote|jadeblood|Esceia}} - [[Matesprites|Matesprit]]
|planet = Land of Steel and Caves
|likes = Fellow lowbloods, engineering, wolves, punk music,
|dislikes = Highbloods
|aka = {{RS quote|jadeblood|Puppy}} (Esceia)
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
ed85913ed116e985e4d758574a1a1c1f447eebc3
1026
1024
2023-11-04T14:49:26Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Character Name
|symbol = [[File:Taurmini.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = |complex= <tabber>
|-| Default= [[File:Awoole_Fenrir.png]]
|-| Shirtless= [[File:Awoole Fenrir Shirtless.png]]
</tabber>
|caption = {{RS quote|Bronzeblood|Woof. What}}
|intro = 4/21/22
|title = {{Classpect|Doom|Rogue}}
|age = {{Age|8.5}}
|gender = He/They (Nonbinary-Transmasc)
|status = Alive
|screenname = tinkeringLycan
|style = Begins every sentence with an onomatopoeia, such as Woof, Arf, Bark, etc. Capitalizes "W"s.
|specibus = Toolkind
|modus = Tool box
|relations = [[Anyaru_Servus|{{RS quote|ceruleanblood|Anyaru Servus}}]] - [[Kismesis|Kismesis]] </br>
{{RS quote|jadeblood|Esceia}} - [[Matesprits|Matesprit]]
|planet = Land of Steel and Caves
|likes = Fellow lowbloods, engineering, wolves, punk music,
|dislikes = Highbloods
|aka = {{RS quote|jadeblood|Puppy}} (Esceia)
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
68d18057c6a35bc0299444d8b867686aa2d42d10
1027
1026
2023-11-04T14:51:25Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Awoole Fenrir
|symbol = [[File:Taurmini.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = |complex= <tabber>
|-| Default= [[File:Awoole_Fenrir.png]]
|-| Shirtless= [[File:Awoole Fenrir Shirtless.png]]
</tabber>
|caption = {{RS quote|Bronzeblood|Woof. What}}
|intro = 4/21/22
|title = {{Classpect|Doom|Rogue}}
|age = {{Age|8.5}}
|gender = He/They (Nonbinary-Transmasc)
|status = Alive
|screenname = tinkeringLycan
|style = Begins every sentence with an onomatopoeia, such as Woof, Arf, Bark, etc. Capitalizes "W"s.
|specibus = Toolkind
|modus = Tool box
|relations = [[Anyaru_Servus|{{RS quote|blueblood|Anyaru Servus}}]] - [[Kismesis|Kismesis]] </br>
{{RS quote|jadeblood|Esceia}} - [[Matesprits|Matesprit]]
|planet = Land of Steel and Caves
|likes = Fellow lowbloods, engineering, wolves, punk music,
|dislikes = Highbloods
|aka = {{RS quote|jadeblood|Puppy}} (Esceia)
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
97f6b51f62b408e3008277939654986fdef3c4cb
Siette Aerien/Infobox
0
106
989
903
2023-11-02T23:49:39Z
HowlingHeretic
3
wikitext
text/x-wiki
{{Character Infobox
|name = Siette Aerien
|symbol = [[File:Capricorn.png|32px]]
|symbol2 = [[File:Aspect_Rage.png|32px]]
|complex = [[File:Siette_Aerien.png]]
|caption = {{RS quote|purpleblood|5quirm.}}
|intro = 8/20/2021
|title = {{Classpect|Rage|Witch}}
|age = {{Age|10.5}}
|gender = She/They (Nonbinary)
|status = Alive </br>
Traveling </br>
On a killing spree </br>
|screenname = balefulAcrobat
|style = Replaces "E," with "3," and "S," with "5." Primarily types in lowercase.
|specibus = Axekind, Whipkind
|modus = Modus
|relations = [[Mabuya Arnava|{{RS quote|violetblood|Mabuya Arnava}}]] - [[Matesprites|Matesprit]]
|planet = Land of Mirage and Storm
|likes = Faygo, Murder, Silk Dancing
|dislikes = [[Guppie Suamui|{{RS quote|violetblood|Guppie Suamui}}]], [[Awoole Fenrir|{{RS quote|bronzeblood|Awoole Fenrir}}]]
|aka = {{RS quote|violetblood|Sisi, Strawberry}} ([[Mabuya Arnava|Mabuya]])
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
b54b779912540e00aa06948b5a961b3e6460326a
Tewkid Bownes/Infobox
0
443
990
965
2023-11-03T00:01:23Z
Mordimoss
4
wikitext
text/x-wiki
{{Character Infobox
|name = Tewkid Bownes
|symbol = [[File:Aquacen.png|23px]]
|symbol2 = [[File:Aspect_Blood.png|32px]]
|complex = [[File:Tewkid_sprite.png]]
|caption = {{RS quote|violetblood| arrrr sorry}}
|intro = 9/22/2021
|title = {{Classpect|Blood|Page}}
|age = {{Age|11}}
|gender = He/Him (Male)
|status = Alive
|screenname = domesticRover
|style = quirk is adding a "...." at the end of every message, but because he is either consistently drunk, over excited to text, or both, he usually types incomprehensibly, yet still with a pirate accent.
|specibus = Musketkind
|modus = Fishing Minigame
|relations = [[The Deceiver|{{RS quote|violetblood|The Deceiver}}]] - [[Ancestors|Ancestor]]
|planet = Land of Pusillanimity and Precipices
|likes = Calico and the rest of the crew, the server
|dislikes = himself
|aka = Tewwey, Kid, Bones
|creator = Mordmiss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
de85c5740902e2889066052d4432e2a034665179
Paluli Anriqi/Infobox
0
442
991
980
2023-11-03T00:03:06Z
Mordimoss
4
wikitext
text/x-wiki
{{Character Infobox
|name = Paluli Anriqi
|symbol = [[File:Arsci.png|32px]]
|symbol2 = [[File:Aspect_Life.png|32px]]
|complex = |complex= <tabber>
|-| Current Paluli= [[File:Paluli_Temp.png]]
|-| Original Paluli= [[File:OGPaluli.png]]
etc
</tabber>
|caption = {{RS quote|rustblood| i'll qlwqys be here for you, deqr deqr}}
|intro = 08/04/2021
|title = {{Classpect|Life|Maid}}
|age = {{Age|9}}
|gender = She/Her (Female)
|status = Dead, Awake on Prospit
|screenname = forgedHeart
|style = she replaces ever "A" with a "Q" and repeats the last word of every message
|specibus = Shearkind
|modus = Dartboard
|relations = [[Barise Klipse|{{RS quote|tealblood | Barise Klipse}}]] - [[Matesprit|Matesprit]]
[[The Tinkerer|{{RS quote|rustblood |The Tinkerer}}]] - [[Ancestors|Ancestor]]
|planet = Land of Mirrors and Music boxes
|likes = Music, reading, Barise
|dislikes = Blood, violence, Skoozy
|aka = {{RS quote|bronzeblood|Pauli }}([[Ponzii|ponzii]])
{{RS quote|purpleblood|Angel }}([[Siette Aerien|siette]])
{{RS quote|violetblood|polywag }}([[Tewkid Bownes|tewkid]])
{{RS quote|violetblood|lulu }}(Mabuya)
|creator = Mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
f95f8718865d9178e6d9e101e30d55e80a11f361
Paluli Anriqi
0
14
992
978
2023-11-03T01:45:55Z
Mordimoss
4
wikitext
text/x-wiki
{{/Infobox}}
'''Paluli Anriqi''' is one of the first characters to appear in [[Re:Symphony|Re:symphony]], she has gone through two major iterations of herself, but is still a consistent member of the server. The [[Moonbounce]] tag she originally joined under was {{RS quote|rustblood| lopsidedGallimaufry}} but after dying she later rejoined under the tag {{RS quote|rustblood| forgedHeart}}. Paluli originally lied about how she found the server, claiming she had sneezed and face planted into her keyboard, causing the server to open on her husktop, but it's later revealed in a private conversation she had with [[Guppie Suamui|Guppie]] that she saw the invite code in a dream. Her sign is Arsci.
==Etymology==
While the name [https://en.wikipedia.org/wiki/Murat%20Paluli Paluli] belongs to a real life turkish soccer player, that information was unknown to creator, [[Mordimoss]], during the character creation process. Both her first and last names were chosen because they sounded nice. Paluli's original tag was made to mostly be in reference to her mutated appearance, and the fact that she did have much confidence in herself or her looks. the term "lopsided" refers to when one side lower or smaller than the other, this can be referencing her arms(or lack thereof) or her eyes being different sizes and shapes, as well as her horns. Similarly "gallimaufry" means a confused jumble or medley of things, which not only can be in reference to her appearance, but also the way she thinks about her relationships with others. Paluli at the start is very confused about her relationship and feelings towards others. Her second tag mostly references her interests and personality, "forged" can mean fake, but in this context it is explicitly referring to the act or forging something in a fire, or creating something in a craft. Not only is this in reference to her profession of glass blowing, but it also is symbolic of herself being remade, or forged, into who she is now. The second part, "heart" can be taken much more simply, while she intended it in the literal sense, it is meant to be symbolic of her love for others and her central place in the story line.
==Biography==
===Early life===
We know very little about Paluli's early life, aside from the fact that she and Guppie were friends for many sweeps before the server's creation.
===Act 1===
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
a5e595aa936425d508f56c139495eff2ded9652d
993
992
2023-11-03T01:48:33Z
Mordimoss
4
wikitext
text/x-wiki
{{/Infobox}}
'''Paluli Anriqi''' is one of the first characters to appear in [[Re:Symphony|Re:symphony]], she has gone through two major iterations of herself, but is still a consistent member of the server. The [[Moonbounce]] tag she originally joined under was {{RS quote|rustblood| lopsidedGallimaufry}} but after dying she later rejoined under the tag {{RS quote|rustblood| forgedHeart}}. Paluli originally lied about how she found the server, claiming she had sneezed and face planted into her keyboard, causing the server to open on her husktop, but it's later revealed in a private conversation she had with [[Guppie Suamui|Guppie]] that she saw the invite code in a dream. Her sign is Arsci.
==Etymology==
While the name [https://en.wikipedia.org/wiki/Murat%20Paluli Paluli] belongs to a real life turkish soccer player, that information was unknown to creator, [[Mordimoss]], during the character creation process. Both her first and last names were chosen because they sounded nice. Paluli's original tag was made to mostly be in reference to her mutated appearance, and the fact that she did have much confidence in herself or her looks. the term "lopsided" refers to when one side lower or smaller than the other, this can be referencing her arms(or lack thereof) or her eyes being different sizes and shapes, as well as her horns. Similarly "gallimaufry" means a confused jumble or medley of things, which not only can be in reference to her appearance, but also the way she thinks about her relationships with others. Paluli at the start is very confused about her relationship and feelings towards others. Her second tag mostly references her interests and personality, "forged" can mean fake, but in this context it is explicitly referring to the act or forging something in a fire, or creating something in a craft. Not only is this in reference to her profession of glass blowing, but it also is symbolic of herself being remade, or forged, into who she is now. The second part, "heart" can be taken much more simply, while she intended it in the literal sense, it is meant to be symbolic of her love for others and her central place in the story line.
==Biography==
===Early life===
We know very little about Paluli's early life, aside from the fact that she and Guppie were friends for many sweeps before the server's creation.
===Act 1===
==Personality and Traits==
==Relationships==
[[Barise Klipse]]
[[Guppie Suamui]]
[[Tewkid Bownes]]
[[Ponzii]]
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
1f7c660a8a5bbfcd54edcf0414338901b6cd2d10
994
993
2023-11-03T01:49:16Z
Mordimoss
4
wikitext
text/x-wiki
{{/Infobox}}
'''Paluli Anriqi''' is one of the first characters to appear in [[Re:Symphony|Re:symphony]], she has gone through two major iterations of herself, but is still a consistent member of the server. The [[Moonbounce]] tag she originally joined under was {{RS quote|rustblood| lopsidedGallimaufry}} but after dying she later rejoined under the tag {{RS quote|rustblood| forgedHeart}}. Paluli originally lied about how she found the server, claiming she had sneezed and face planted into her keyboard, causing the server to open on her husktop, but it's later revealed in a private conversation she had with [[Guppie Suamui|Guppie]] that she saw the invite code in a dream. Her sign is Arsci.
==Etymology==
While the name [https://en.wikipedia.org/wiki/Murat%20Paluli Paluli] belongs to a real life turkish soccer player, that information was unknown to creator, [[Mordimoss]], during the character creation process. Both her first and last names were chosen because they sounded nice. Paluli's original tag was made to mostly be in reference to her mutated appearance, and the fact that she did have much confidence in herself or her looks. the term "lopsided" refers to when one side lower or smaller than the other, this can be referencing her arms(or lack thereof) or her eyes being different sizes and shapes, as well as her horns. Similarly "gallimaufry" means a confused jumble or medley of things, which not only can be in reference to her appearance, but also the way she thinks about her relationships with others. Paluli at the start is very confused about her relationship and feelings towards others. Her second tag mostly references her interests and personality, "forged" can mean fake, but in this context it is explicitly referring to the act or forging something in a fire, or creating something in a craft. Not only is this in reference to her profession of glass blowing, but it also is symbolic of herself being remade, or forged, into who she is now. The second part, "heart" can be taken much more simply, while she intended it in the literal sense, it is meant to be symbolic of her love for others and her central place in the story line.
==Biography==
===Early life===
We know very little about Paluli's early life, aside from the fact that she and Guppie were friends for many sweeps before the server's creation.
===Act 1===
==Personality and Traits==
==Relationships==
[[Barise Klipse]]
[[Guppie Suamui]]
[[Tewkid Bownes]]
[[Ponzii]]
[[Skoozy Mcribb]]
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
d3d7049a060e46758ca71359495491d7846f8df4
Tewkid Bownes
0
15
995
928
2023-11-03T02:04:14Z
Mordimoss
4
wikitext
text/x-wiki
{{/Infobox}}
'''Tewkid Bownes''', known also by his [[Moonbounce]] tag, {{RS quote|violetblood|domesticRover}}, is one of the major pirate characters of [[Re:Symphony]]. Tewkid is the second in command on the ship ''[[Lealda's Dream]]'', he is directly under [[Calico Drayke|Calico]] on the ships hierarchy. He joined on 9/22/2021, immediately after Calico.
==Etymology==
Tewkid's name comes from a handful of sources, "tew" coming from English privateer-turned-pirate "[https://en.wikipedia.org/wiki/Thomas_Tew Thomas Tew]" and "kid" coming from the Scottish privateer "[https://en.wikipedia.org/wiki/William_Kidd William Kidd]". "bownes" being a play on the spelling of "bones", as bone imagery and symbols are often tied with pirates and the pirate lifestyle. In his Moonbounce tag, domestic is in reference to Tewkid's various interests in typically domestic hobbies an activities such as cooking, sewing and embroidery. However domestic is also in reference to someone who stays put and does not wander, which is in direct contradiction to the second part of his tag which is Rover, which is someone who wanders and does not stay in one place. Rover is in reference to his life as a pirate and traveling across the seas, but the inherent contradiction of his tag can be interpreted as representative of the many conflicts he experiences both internally and externally, as he finds himself struggling to understand his place.
==Biography==
==Personality and Traits==
==Relationships==
'''[[Calico Drayke]]'''
Tewkid and Calico have been through thick and thin together, and are the closest friends imaginable. Tewkid would do anything for Calico, especially to keep him safe, he also cares a ridiculous amount about what Calico thinks on any subject. If Calico likes it, Tewkid likes it, if Calico needs something, Tewkid is there. The only time to two seem to disagree on anything it regards the server, Skoozy, or both. Tewkid loves Calico so much that he lied about his Ancestor for sweeps, because he knew that Calico would think less of him, only for lying about it to make him more like the Deceiver anyways. Tewkid's worse fear of losing Calico, came true, both literally and figuratively. Since their falling out, he has been incredibly depressed, trying to lose himself in drinking, only for his crew to put him in the brig to "help him". He has not gotten better.
While never explicitly stated, Tewkid very much had, and still has, feelings for Calico, pale or otherwise.
==Trivia==
==Gallery==
<gallery>
File:Tewkid1.gif|he's talking :)
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
b3fbacbd2ebfe9b00ebd99ade2c8ece5d7522406
996
995
2023-11-03T02:07:04Z
Mordimoss
4
wikitext
text/x-wiki
{{/Infobox}}
'''Tewkid Bownes''', known also by his [[Moonbounce]] tag, {{RS quote|violetblood|domesticRover}}, is one of the major pirate characters of [[Re:Symphony]]. Tewkid is the second in command on the ship ''[[Lealda's Dream]]'', he is directly under [[Calico Drayke|Calico]] on the ships hierarchy. He joined on 9/22/2021, immediately after Calico.
==Etymology==
Tewkid's name comes from a handful of sources, "tew" coming from English privateer-turned-pirate "[https://en.wikipedia.org/wiki/Thomas_Tew Thomas Tew]" and "kid" coming from the Scottish privateer "[https://en.wikipedia.org/wiki/William_Kidd William Kidd]". "bownes" being a play on the spelling of "bones", as bone imagery and symbols are often tied with pirates and the pirate lifestyle. In his Moonbounce tag, domestic is in reference to Tewkid's various interests in typically domestic hobbies an activities such as cooking, sewing and embroidery. However domestic is also in reference to someone who stays put and does not wander, which is in direct contradiction to the second part of his tag which is Rover, which is someone who wanders and does not stay in one place. Rover is in reference to his life as a pirate and traveling across the seas, but the inherent contradiction of his tag can be interpreted as representative of the many conflicts he experiences both internally and externally, as he finds himself struggling to understand his place.
==Biography==
==Personality and Traits==
==Relationships==
'''[[Calico Drayke]]'''
Tewkid and Calico have been through thick and thin together, and are the closest friends imaginable. Tewkid would do anything for Calico, especially to keep him safe, he also cares a ridiculous amount about what Calico thinks on any subject. If Calico likes it, Tewkid likes it, if Calico needs something, Tewkid is there. The only time to two seem to disagree on anything it regards the server, Skoozy, or both. Tewkid loves Calico so much that he lied about his Ancestor for sweeps, because he knew that Calico would think less of him, only for lying about it to make him more like the Deceiver anyways. Tewkid's worse fear of losing Calico, came true, both literally and figuratively. Since their falling out, he has been incredibly depressed, trying to lose himself in drinking, only for his crew to put him in the brig to "help him". He has not gotten better.
While never explicitly stated, Tewkid very much had, and still has, pale feelings for Calico.
==Trivia==
==Gallery==
<gallery>
File:Tewkid1.gif|he's talking :)
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
30a4bc0b0226382a8d209ba89bfb0e2f1ac2bcd2
998
996
2023-11-03T02:13:40Z
Mordimoss
4
wikitext
text/x-wiki
{{/Infobox}}
'''Tewkid Bownes''', known also by his [[Moonbounce]] tag, {{RS quote|violetblood|domesticRover}}, is one of the major pirate characters of [[Re:Symphony]]. Tewkid is the second in command on the ship ''[[Lealda's Dream]]'', he is directly under [[Calico Drayke|Calico]] on the ships hierarchy. He joined on 9/22/2021, immediately after Calico.
==Etymology==
Tewkid's name comes from a handful of sources, "tew" coming from English privateer-turned-pirate "[https://en.wikipedia.org/wiki/Thomas_Tew Thomas Tew]" and "kid" coming from the Scottish privateer "[https://en.wikipedia.org/wiki/William_Kidd William Kidd]". "bownes" being a play on the spelling of "bones", as bone imagery and symbols are often tied with pirates and the pirate lifestyle. In his Moonbounce tag, domestic is in reference to Tewkid's various interests in typically domestic hobbies an activities such as cooking, sewing and embroidery. However domestic is also in reference to someone who stays put and does not wander, which is in direct contradiction to the second part of his tag which is Rover, which is someone who wanders and does not stay in one place. Rover is in reference to his life as a pirate and traveling across the seas, but the inherent contradiction of his tag can be interpreted as representative of the many conflicts he experiences both internally and externally, as he finds himself struggling to understand his place.
==Biography==
==Personality and Traits==
==Relationships==
'''[[Calico Drayke]]'''
Tewkid and Calico have been through thick and thin together, and are the closest friends imaginable. Tewkid would do anything for Calico, especially to keep him safe, he also cares a ridiculous amount about what Calico thinks on any subject. If Calico likes it, Tewkid likes it, if Calico needs something, Tewkid is there. The only time to two seem to disagree on anything it regards the server, Skoozy, or both. Tewkid loves Calico so much that he lied about his Ancestor for sweeps, because he knew that Calico would think less of him, only for lying about it to make him more like the Deceiver anyways. Tewkid's worse fear of losing Calico, came true, both literally and figuratively. Since their falling out, he has been incredibly depressed, trying to lose himself in drinking, only for his crew to put him in the brig to "help him". He has not gotten better.
While never explicitly stated, Tewkid very much had, and still has, some kind of feelings for Calico, pale or otherwise.
==Trivia==
==Gallery==
<gallery>
File:Tewkid1.gif|he's talking :)
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
c8e01127f20354971dacb621c5f063ac85198ffd
1002
998
2023-11-04T02:54:01Z
Mordimoss
4
wikitext
text/x-wiki
{{/Infobox}}
'''Tewkid Bownes''', known also by his [[Moonbounce]] tag, {{RS quote|violetblood|domesticRover}}, is one of the major pirate characters of [[Re:Symphony]]. Tewkid is the second in command on the ship ''[[Lealda's Dream]]'', he is directly under [[Calico Drayke|Calico]] on the ships hierarchy. He joined on 9/22/2021, immediately after Calico.
==Etymology==
Tewkid's name comes from a handful of sources, "tew" coming from English privateer-turned-pirate "[https://en.wikipedia.org/wiki/Thomas_Tew Thomas Tew]" and "kid" coming from the Scottish privateer "[https://en.wikipedia.org/wiki/William_Kidd William Kidd]". "bownes" being a play on the spelling of "bones", as bone imagery and symbols are often tied with pirates and the pirate lifestyle. In his Moonbounce tag, domestic is in reference to Tewkid's various interests in typically domestic hobbies an activities such as cooking, sewing and embroidery. However domestic is also in reference to someone who stays put and does not wander, which is in direct contradiction to the second part of his tag which is Rover, which is someone who wanders and does not stay in one place. Rover is in reference to his life as a pirate and traveling across the seas, but the inherent contradiction of his tag can be interpreted as representative of the many conflicts he experiences both internally and externally, as he finds himself struggling to understand his place.
==Biography==
==Personality and Traits==
==Relationships==
'''[[Calico Drayke]]'''
Tewkid and Calico have been through thick and thin together, and are the closest friends imaginable. Tewkid would do anything for Calico, especially to keep him safe, he also cares a ridiculous amount about what Calico thinks on any subject. If Calico likes it, Tewkid likes it, if Calico needs something, Tewkid is there. The only time to two seem to disagree on anything it regards the server, Skoozy, or both. Tewkid loves Calico so much that he lied about his Ancestor for sweeps, because he knew that Calico would think less of him, only for lying about it to make him more like the Deceiver anyways. Tewkid's worse fear of losing Calico, came true, both literally and figuratively. Since their falling out, he has been incredibly depressed, trying to lose himself in drinking, only for his crew to put him in the brig to "help him". He has not gotten better.
While never explicitly stated, Tewkid very much had some kind of feelings for Calico, pale or otherwise.
==Trivia==
==Gallery==
<gallery>
File:Tewkid1.gif|he's talking :)
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
e5762f1405104883119016063b49cdcd7740f56c
Borfix Mopolb
0
508
997
977
2023-11-03T02:12:31Z
Mordimoss
4
wikitext
text/x-wiki
Borfix is a secondary character in [[Re:Symphony]], she originally joined the server via an invite from [[Guppie Suamui|Guppie]], as Guppie wanted someone to defend her in arguments. This does not last. Borfix is also known by her [[Moonbounce]] tag {{RS quote|bronzeblood|homespunFanatic}}, her sign is taurpio.
==Etymology==
Borfix's name was chosen from a random generator. Her tag, however was not, "homespun" means simple and "fanatic" means a person filled with excessive and single-minded zeal, her tag taking a very literal meaning of "dumb fan" and is representative of her character of being kind of a stupid chitter stan.
==Biography==
==Personality and Traits==
==Relationships==
==Trivia==
==Gallery==
53fcb4c4f99ae8fd7f55a66fb1027852897ce1e4
999
997
2023-11-03T02:25:09Z
Mordimoss
4
wikitext
text/x-wiki
Borfix is a secondary character in [[Re:Symphony]], she originally joined the server via an invite from [[Guppie Suamui|Guppie]], as Guppie wanted someone to defend her in arguments. This does not last. Borfix is also known by her [[Moonbounce]] tag {{RS quote|bronzeblood|homespunFanatic}}, her sign is taurpio.
==Etymology==
Borfix's name was chosen from a random generator. Her tag, however was not, "homespun" means simple and "fanatic" means a person filled with excessive and single-minded zeal, her tag taking a very literal meaning of "dumb fan" and is representative of her character of being kind of a stupid chitter stan.
==Biography==
Borfix showed up very late to the server, originally to fight on Guppies behalf, but after server members finally got it through to her that Guppie did not care about her, and was also a terrible and dangerous person, Borfix had a change of heart. Though now that she hated Guppie and was no longer of use to her, Guppie put her through the horrors.(delve into this more later.)
==Personality and Traits==
Borfix is a fan of anyone and everyone on the internet, if you have any presence on the internet, she knows who you are and is a fan. She very much wants friends and wants to fit in, to the point that she'll hop on any bandwagon if she thinks she'll get friends out of it. She has thick skin, it's hard to get to her via words, and she has a love for being just a little bit silly. She has a trend of becoming a little obsessed with people who are very strong and could kill her, even if they don't even give her the time of day. She refuses to let herself be bothered by anything, and when events finally caught up to her and she started to get depressed, she decided to repress that even further and kill the "source" of her problems, Guppie.
==Relationships==
'''[[Ponzii]]'''
Ponzii gave Borfix a place to stay when her own hive was of questionable safety, the two have a very silly, goofy platonic relationship and are very much two peas in a pod. They still live together, it is unclear if Ponzii is a positive or negative influence on her as she has in fact taken up stealing since meeting them.
'''Cosplayer'''
The Cosplayer is an entity of unknown origin that lives in Borfix's hive. It is Scary.
==Trivia==
==Gallery==
534502cc68a2fc1aeabf1f826586fc24db8e5585
1015
999
2023-11-04T14:03:26Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
Borfix is a secondary character in [[Re:Symphony]], she originally joined the server via an invite from [[Guppie Suamui|Guppie]], as Guppie wanted someone to defend her in arguments. This does not last. Borfix is also known by her [[Moonbounce]] tag {{RS quote|bronzeblood|homespunFanatic}}, her sign is taurpio.
==Etymology==
Borfix's name was chosen from a random generator. Her tag, however was not, "homespun" means simple and "fanatic" means a person filled with excessive and single-minded zeal, her tag taking a very literal meaning of "dumb fan" and is representative of her character of being kind of a stupid chitter stan.
==Biography==
Borfix showed up very late to the server, originally to fight on Guppies behalf, but after server members finally got it through to her that Guppie did not care about her, and was also a terrible and dangerous person, Borfix had a change of heart. Though now that she hated Guppie and was no longer of use to her, Guppie put her through the horrors.(delve into this more later.)
==Personality and Traits==
Borfix is a fan of anyone and everyone on the internet, if you have any presence on the internet, she knows who you are and is a fan. She very much wants friends and wants to fit in, to the point that she'll hop on any bandwagon if she thinks she'll get friends out of it. She has thick skin, it's hard to get to her via words, and she has a love for being just a little bit silly. She has a trend of becoming a little obsessed with people who are very strong and could kill her, even if they don't even give her the time of day. She refuses to let herself be bothered by anything, and when events finally caught up to her and she started to get depressed, she decided to repress that even further and kill the "source" of her problems, Guppie.
==Relationships==
'''[[Ponzii]]'''
Ponzii gave Borfix a place to stay when her own hive was of questionable safety, the two have a very silly, goofy platonic relationship and are very much two peas in a pod. They still live together, it is unclear if Ponzii is a positive or negative influence on her as she has in fact taken up stealing since meeting them.
'''Cosplayer'''
The Cosplayer is an entity of unknown origin that lives in Borfix's hive. It is Scary.
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
cd3654f735484d93b3eb41d65a1e8e71a1b2732a
Siniix Auctor
0
436
1000
945
2023-11-03T03:13:40Z
HowlingHeretic
3
wikitext
text/x-wiki
{{/Infobox}}
{{DISPLAYTITLE:Siniix Auctor}}
'''Siniix Auctor''' also known by her [[Moonbounce]] handle, {{RS quote|jadeblood|temporalDramatist}}. Her sign is [http://hs.hiveswap.com/ezodiac/truesign.php?TS=Virsci Virsci], and a '''Prospit''' dreamer. She is a '''Witch of Life'''. Her actual age is unknown, aside that she is over 8 sweeps old, as is her birth date. Her ancestor is unknown. Her lusus was a deer, and has been deceased for a very long time. She never got to say goodbye.
Siniix joined the chatroom on 1/17/2023, after the message of her joining the chatroom appeared on her typewriter. Her typewriter stopped transmitting messages to the chatroom after she set up [[Moonbounce]] on her palmhusk.
==Etymology==
"Siniix," has no discernible meaning. "Auctor," is defined as an "[https://en.wiktionary.org/wiki/auctor obsolete form of author]." The first word of her chat handle, temporal, is presumably in reference to her historical plays and musicals. Dramatist is similarly related to her profession.
==Biography==
===Early Life===
Siniix has no record of any presence on Alternia before 2.5 sweeps before the present day, and when questioned about this, is incredibly cagey about the topic. Siniix is a popular playwright, and her plays are typically based off of records of ancestors. Siniix has a personal collection of ancient scrolls, all of which are in shockingly pristine condition. Siniix' canonical plays are usually trollified versions of popular musicals and plays in real life. Some examples are Phantom of the Opera, and Ride the Cyclone. Siniix lives close to New Troll City for work purposes, but lives far enough away that she can live a secluded life in a small cottage.
==Personality and Traits==
Siniix is very kind towards others, and very humble in regards to her plays' popularity. She generally likes most chat members, even if they've been openly hostile towards other chat members. She has a strong interest in literature and historical records. She has mentioned that she has a contact at the library in New Troll City who would lets her into the historical section with the "good stuff," implied to be restricted records. She enjoys baking, and making tea.
==Relationships==
* [[Knight_Galfry|Knight Galfry]] is a pen-pal of Siniix. Siniix suggested that she and Knight become pen-pals primarily because she had already developed a red crush on Knight. This crush continues to grow in intensity as time goes on. Siniix loves how chivalrous Knight is. Siniix was drawn to Knight initially because of her being a swordswoman, something Siniix has a particular liking for. Siniix also likes Knight's tone of text, which she usually interprets as commanding, but sweet. Siniix is closer with Knight than anyone else she's been friends with in the last 2.5 sweeps.
* [[Looksi_Gumshu|Looksi Gumshu]] is another red crush of Siniix. While not as intense as the one she has for Knight, she admires his profession, and finds his manner of speech to be attractive.
* [[Anyaru_Servus|Anyaru Servus]] is a friend of Siniix. She and Annie share a love for literature and tea. While they aren't close, it's implied that the two have had tea together on prior occasions.
==Trivia==
* Siniix has an [https://open.spotify.com/playlist/2aW4yfIuMuhFgyJxtCYW46?si=768df5e530684555 official playlist].
* Siniix was inspired by the Greek poet Sappho.
==Gallery==
<gallery widths=200px heights=150px>
File:Siniix_Auctor_Witch.png|Siniix's carving night outfit.
File:Siniix_Auctor_Concept_Art.png|Siniix' original concept art.
File:Siniix_Auctor_Headshot.png
File:Siniix_Auctor_Formal.png|The outfit Siniix wore to her play's opening.
File:Siniix_Auctor_Casual.png
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
9c7819ae3a442ac87a7e188a4c180afe90dd6ad0
Siette Aerien
0
6
1001
949
2023-11-03T03:31:46Z
HowlingHeretic
3
wikitext
text/x-wiki
{{DISPLAYTITLE:Siette Aerien}}
{{/Infobox}}
'''Siette Aerien''', also known by her [[Moonbounce]] handle {{RS quote|purpleblood|balefulAcrobat}} , is one of the [[troll]]s in ''[[Re:Symphony]]''. Her sign is true Capricorn, and she is a Witch of Rage. She is an aerial silk dancer.
Siette joined the server on 8/20/2021. She found a piece of paper with the link written on it tucked into her silks.
==Etymology==
Siette's first name comes from the word, "slette," which means to eradicate, or remove. Originally, her name was Slette, but after a misread, the name was changed to Siette for better readability. Her last name, Aerien, is an altered version of aerial, which is in reference to her aerial silk performance in the circus.
Siette's chat handle, balefulAcrobat, means "killer clown." Baleful, in this context, is used with the definition of, "Harmful or malignant in intent or effect. " Acrobat here is used with the in-universe context of most- if not all -circus performers being Purple bloods. Siette, while efficient, is not known for her subtlety.
==Biography==
===Early Life===
Siette was adopted by a troll only known as the Priestess, following her discovering her and her lusus. Siette's lusus, affectionately named Lily, was beaten and bloody, presumably found after a battle defending grub-Siette. Siette was raised in the church, under the close tutelage of her Priestess. Siette was taught the ways of the Mirthful Messiahs, and was trained to be an efficient killer. Siette performed part-time in a circus as well, as an [https://en.wikipedia.org/wiki/Aerial_silk aerial silk dancer]
===Act 1===
Siette joined the chatroom out of boredom, upon finding the link written on a slip of paper that had been tucked into her silks. Siette found entertainment in the chatroom, finding the other members to be funny enough for her. In the early days, Siette was summoned by her Priestess for a sacrifice. Siette used her psionics to mind-control another troll, simply named Red, and bring him to the Church's execution chamber. She killed him at the behest of her Priestess, though she's shown to feel some remorse afterwards.
When Guppie, Venus, Ambysa, and Looksi went to meet Myrkri, she tagged along for entertainment. Upon Myrkri attacking Guppie, Siette hit Myrkri in her wrist with her whip. When that didn't deter her, they charged and tackled Mykri away from Guppie, restraining them so the others could ask questions. Siette now regrets saving Guppie.
==Personality and Traits==
==Relationships==
* [[Mabuya_Arnava|Mabuya Arnava]] is Siette's matesprit. Siette first reached out to Mabuya after [[Skoozy_Mcribb|Skoozy]] had antagonized her in the main chatroom. She offered protect her from people being rude to her, she would {{RS quote|purpleblood|5hut 3m up clown 5tyl3.}} They met in person at Guppie's Party, and Siette had Mavrik take Mabuya outside so she wouldn't see Siette fight with [[Ravial_Orande|Ravi]]. After a various series of courtship through DMs and in the main chatroom, Siette invited Mabuya over to her hive. Siette had baked a strawberry cake for Mabuya, and written {{RS quote|purpleblood|mabby will you b3 my mat35prit}} on it in frosting. The two have been matesprits since.
* [[Anyaru_Servus|Anyaru Servus]] is Siette's personal assistant. While Annie has flushed feelings for Siette, Siette herself views their relationship as purely transactional. Annie completes Siette's requests, and she pays her in turn. Siette does not consider the two to be friends.
==Trivia==
==Gallery==
<gallery widths=200px heights=150px>
File:Siette_Aerien_Fancy.png|The outfit Siette wore to [[Guppie_Suamui|{{RS quote|violetblood|Guppie Suami's}}]] party.
File:Siette_Aerien_Performance.png|Siette's performance outfit
File:Siette_Aerien_Prospit.png|Siette's prospit outfit
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
804076e6576e81ac5e9a2de6c013133a5b074df6
Looksi Gumshu
0
9
1003
960
2023-11-04T07:45:26Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{/Infobox}}
'''Looksi Gumshu''', also known by his Moonbounce handle '''phlegmaticInspector''', is one of the trolls in RE: Symphony. His sign is Libza.
He joined day one of the server by means of a strange code that he received on his husktop.
==Etymology==
Looksi Gumshu is based on the words 'Look-see' and 'Gumshoe'. Which ties into his occupation of being a Detective. For his handle, Phlegmatic means 'a person having an unemotional and stolidly calm disposition.' As Looksi usually has when he solves a case or his demeanor in general. Inspector is his occupation, for his city, New Troll City. His handle acronyms 'PI' is also a joke on the acronym for Private Investigator.
==Biography==
===Early Life===
Looksi for a good long term of his life was a snarky, alcoholic detective who was amazing at solving crimes, guy could tell someone was lying the second he spoke to them. He worked in the precinct New Troll City and had a huge crush on the Scientific Investigator, Drewcy and the two would work on crimes together as well. It was a partnership both romantically and work wise. At some point during Looksi's career, a young cerulean by the name of Jonesy Triton saw how this bad ass detective would work and wanted to grow up to be him one day. So he pestered and begged to be his assistant to which Looksi (mostly Drewcy just telling him he should do it) agreed. And overtime Looksi dropped his addiction to alcohol as the biggest serial killer case was going on, a teal blood going around killing highbloods. Looksi and gang took on the case, and one day, Jonesy wanted to do more so he begged and cried until Looksi let him investigate on his own and Looksi agreed. He didn't think the kid was going to solve the crime. He thought it was going to be some dead end, but eventually Looksi figured it out too and saw that Jonesy was mere seconds from dying by a trap from the killer. Before Looksi could even say anything- Jonesy gets crushed by the big crate. And the killer is revealed to be none other than Drewcy, or rather their real name. Arsene Ripper. And Looksi because of conflicted feeling lets Arsene go on accident. And ever since then, Looksi Gumshu will not work with anyone or trust anyone ever again.
===Act 1===
For a good majority of act 1, Looksi spent his time trying to understand the mystery of the chatroom. Trying to understand how they got stuck there, the code being sent through mysterious means and the like. Ravi joins him in investigating Moonboune HQ which seems to be run rampid with growing red vines. During this time he starts slightly working with Barise to make sure Skoozy isn't up to anything nefarious. He also joins in the investigation about Myrkri which nearly got him killed. He did not attend the party that Guppie was throwing.
===Act 2===
==Personality and Traits==
Looksi is a very mature and responsible troll who will do what he can to solve the case at hand. For a good portion of his life he was a drunken bastard with no sense of care for himself but still cared deeply about others in his life. After the Arsene incident, Looksi shut off everyone around him and would carry the burden all by himself, vowing to never trust anyone again. Eventually during his time in the chatroom he is slowly opening up to others and letting them in his life, but he still has doubt and worry over everything, especially since the Skoozy ordeal.
==Relationships==
===Drewcy/Arsene Ripper===
Like stated earlier, Looksi and Arsene have known eachother for years and have worked together as well. The two started out as moirails but then grew into a matespritship. However, it was all unfortunatly one sided due to Arsene being a serial killer and was only using Looksi, to which when Arsene escaped led him down a long and heartbroken path of no longer trusting or loving anyone ever again.
===Jonesy Triton===
Also stated earlier, Jonesy looked up to Looksi as a mentor and wanted to be just like him when he gets older. When Looksi was recovering from his addiction, he and Jonesy did become closer and did care for the little fella. He still has the mug that Jonesy gave him for his wriggling day, A white mug that reads "World's Greatest Detective".
===[[Siette Aerien]]===
The two met in the chatroom and never really cared about what either did, Siette with a bit more hostility due to Looksi being a cop. But after a while, the two became good friends.
===[[Skoozy Mcribb]]===
After Skoozy revealed his true colors and intent, Looksi vowed to put a stop to him. Unfortunately, it has been quite the battle both physically and mentally for him.
==Trivia==
• Design is based on [https://cookierun.fandom.com/wiki/Almond%20Cookie Almond Cookie from Cookie Run.]
• Roughly smokes 3 cigars a day. More if he's on the clock or stressed out.
• He can sing really well, as long as it's Franks Inatra. (Well known Troll Musician.) Otherwise he will just speak the song or not sing at all.
• His lusus is a Bloodhound, it's name is Turner.
==Gallery==
<gallery widths=200px heights=150px>
[[File:Officer Down!.png|]]
[[File:Looksi at his office.png|]]
[[File:The Hell?.png|Don't tell him.]]
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
7b00f469c71636ffcc89ebb04d25638fd58384a5
Vemixe Jening/Infobox
0
478
1004
873
2023-11-04T12:51:13Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Vemixe Jening
|symbol = [[File:Calflag.png|32px]]
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Vemixe_Jening.png]]
|caption = {{RS quote|violetblood| you annoyed himm while he was resting. he probably hates you noww. youll probably drowwn. and.or get eaten by a deep sea lusus.}}
|intro =
|title =
|age = {{Age|9}}
|gender = He/Him (Male) <br />
Bisexual
|status = Alive
|screenname =
|style = Doesn't use capitalization. Uses proper grammar and replaces all forms of punctuation in a sentence with period, or abstains from using certain punctuation marks(parentheses, brackets, etc.). Ends every sentence with a period. Doubles "w"'s and "m"'s.
|specibus =
|modus =
|relations = [[The Shadowed|{{RS quote|violetblood|The Shadowed}}]] - [[Ancestors|Ancestor]]
|planet =
|likes = Calico
|dislikes = Effort
|aka = {{RS quote|violetblood|Vemi}} ([[Merrie Bonnet|Merrie]])
|creator = onepeachymo & mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
b19de7a59354bbc11607e606b4ec32aa43931b56
Lealda Caspin/Infobox
0
467
1005
849
2023-11-04T12:54:19Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Lealda Caspin
|symbol = [[File:Calflag.png|32px]]
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Lealda_Caspin.png]]
|caption = {{RS quote|violetblood| you know the answer is yes, whatever the question is ⚓}}
|intro =
|title =
|age = Unknown
|gender = They/Them (Nonbinary)
|status = Haunting the Narrative (dead)
|screenname = dreamingSalvation
|style = Ends sentences with ⚓
|specibus =
|modus =
|relations =
|planet =
|likes =
|dislikes =
|aka = Captain, {{RS quote|violetblood|Lea}} ([[Shikki Raynor|Shikki]])
|creator = onepeachymo and mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
a849b10fe7cb6d9630fd4b4b5f79b857824f995d
Quadrants
0
515
1006
2023-11-04T13:41:58Z
Onepeachymo
2
Created page with "''These takes are brought to you in collaboration between the homestuck wiki and Peachy's own personal opinions on quadrants.'' Quadrants make up the system of categorization for romance utilized by the [[Trolls]] on Alternia. Troll romance is much more complicated than Human romance. While Human romance could be put into one category, Troll romance is split into four: the Flushed Quadrant, the Caliginous Quadrant, the Pale Quadrant, and the Ashen Quadrant. "Romance..."
wikitext
text/x-wiki
''These takes are brought to you in collaboration between the homestuck wiki and Peachy's own personal opinions on quadrants.''
Quadrants make up the system of categorization for romance utilized by the [[Trolls]] on Alternia.
Troll romance is much more complicated than Human romance. While Human romance could be put into one category, Troll romance is split into four: the Flushed Quadrant, the Caliginous Quadrant, the Pale Quadrant, and the Ashen Quadrant. "Romance" is less black and white on Alternia, acting more as an umbrella term to categorize the complicated way Trolls connect through relationships, and includes quadrants that in human standards would more likely be described as "Platonic".
Troll romance is in part about the balance of emotions in a society that is incredibly geared towards violence. It's a way to stabilize a civilization that was groomed into a hierarchy that promotes oppression and needless death to those beneath you. It cultivates small pockets where trolls take care of each other when building up a community is heavily against the odds. The other part is, naturally, for reproduction. Reproduction is much like how it is in Homestuck proper but without the "Supply or Die" aspect of the drones collecting genetic material. Relationships are expected to be reported on the Troll Census and thus there you are enlisted to provide for the brood. That is all I will say on the matter. That is all anyone should say on the matter.
== Bifurcation ==
While Troll romance is split into four different quadrants, they can also be split into halves and categorized further. The top half of the Quadrants are recognized as Red Romance and the bottom half as Black Romance; the left side Concupiscent and the right side Conciliatory.
=== Red Romance ===
Strongly rooted in positive emotions. The Flushed and Pale Quadrants make up Red Romance, or Redrom.
=== Black Romance ===
Strongly rooted in negative emotions. The Caliginous and Ashen Quadrants make up Black Romance, or Blackrom.
=== Concupiscent ===
Relationships that are more so associated with reproduction. The Flushed and Caliginous Quadrants are Concupiscent.
=== Conciliatory ===
Relationships that are more about regulating emotions, likened to platonic relationships. The Pale and Ashen Quadrants are Conciliatory.
== Quadrants ==
=== Flushed ===
The Flushed Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Matesprits", and it can be referred to as a "Matespritship." The intent behind Matesprits are primarily rooted in positive emotions and the Flushed Quadrant is the closest of the four romances to Human romance. There's really not much more to be said on the matter. Love. You guys get it.
Matespritship is represented by a heart and the color red. In text, it can be recognized as ♥ or <3.
=== Pale ===
The Pale Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Conciliatory" bifurcation. Two trolls in this Quadrant are called "Moirails", and can be referred to as a "Moirallegience." Moirails are the platonic ideal of a soulmate in Alternian society. It's about finding someone that balances your emotional profile, and completes you, in a way. It is finding someone you can wholly entrust and bare yourself to, and get that same vulnerability back. You keep each other in check and help maintain one another's emotional well-being, though in cases between a lowblood and highblood, the support of a highblood Moirail can be a deterrent to those who may otherwise harm the lowblood, and in which case also maintains their physical well-being.
Moirallegience is represented by a diamond and the color pink. In text, it can be recognized as ♦ or <>.
=== Caliginous ===
The Caliginous Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Kismesis", and can be referred to as a "Kismesissitude." Kismesissitude is based on a mix of attraction and annoyance, likened to a sense of rivalry. It's about the pitch feelings that are cultivated by the frustration from thinking someone is just the Absolute Fucking Worst, but still being able to see redeeming qualities in them that, if not for the bad qualities, would make that person maybe even a bit alright. Kismesissitude should not be thought of as inherently toxic just because it's tied with primarily negative feelings; if healthy, a Kismesissitude is a beneficial outlet for Trolls more violent tendencies that works off steam in a setting where you don't actually want to kill the other person. An unhealthy Kismesissitude can be incredibly dangerous for the mental well-being of a troll, however, and in that situation an Auspistice would be needed to step in.
Kismesissitude is represented by a spade and the color black. In text, it can be recognized as ♠ or <3<.
=== Ashen ===
The Ashen Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Conciliatory" bifurcation. There are uniquely three trolls that participate in this Quadrant compared to the usual two, with the third troll who is regulating the other two being called the "Auspistice", and can be referred to as "Auspisticism". Auspisticism comes about when two trolls are in a particularly contentious relationship and need a mediator. This is most often found between two trolls who have not yet entered a Kismesissitude, and of which the intended goal it to keep them out of one. This is because the nature of Trolls on Alternia leads to many feuds between Trolls that left unchecked would lead to an over saturation of Kismeses and black infidelity. It can also be used to regulate a Kismesissitude that, without interference, could become unhealthy for the trolls in the relationship, or affect their relationships outside of it. In the case of vacillations, an Auspistice prevents two trolls from vacillating and committing infidelities with their other partners, if any.
Auspisticism is represented by a club and the color gray. In text, it can be recognized as ♣ or o8<.
== Quadrant Vacillation ==
There are many situations in which the complex feelings that accompany a polyamorous Quadrant system leads to a transmutative and malleable series of vacillations.
If two trolls enter an uncertain relationship where one party may feel flushed, and the other caliginous. One party will switch to match the other, but this will be followed up by many switches back and forth, a romantic tug-of-war. An Auspistice can be a very important third party in regulating a vacillation and keeping a romance stably in one Quadrant.
If you find any of this confusing, so do Trolls, as "[https://www.homestuck.com/story/2400 [they<nowiki>]</nowiki> exist in a state of almost perpetual confusion and generally have no idea what the hell is going on]."
== Canon Relationships ==
=== Matesprits ===
* [[Barise Klipse|Barise]] and [[Paluli Anriqi|Paluli]]
* [[Mabuya Arnava|Mabuya]] and [[Siette Aerien|Siette]]
* [[Awoole Fenrir|Awoole]] and [[Esceia]]
* [[Harfil Myches|Harfil]] and [[Venrot Fellix|Venrot]]
* [[Shikki Raynor|Shikki]] and [[Yolond Jasper|Yolond]]
Known Flushed Crushes:
* [[Anyaru Servus|Anyaru]] on [[Siette Aerien|Siette]]
=== Moirails ===
* [[Barise Klipse|Barise]] and [[Plaxii Arouet|Plaxii]]
* [[Patiya Sirtse|Patiya]] and [[Venili Habere|Venili]]
* [[Modrey Chienn|Modrey]] and [[Ravial Orande|Ravial]]
* [[Mabuya Arnava|Mabuya]] and [[Mavrik Notezz|Mavrik]]
Known Pale Crushes:
* [[Venrot Fellix|Venrot]] on [[Ponzii]]
=== Auspistices ===
* [[Patiya Sirtse|Patiya]] for [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]
=== Kismeses ===
* [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]. [[Patiya Sirtse|Patiya]] is their Auspistice.
* [[Awoole Fenrir|Awoole]] and [[Anyaru Servus|Anyaru]]
=== Vacillations/Exceptions ===
* [[Anatta Tereme|Anatta] and [[Anicca Shivuh|Anicca]]. Their feelings are complex and they fall somewhere between Matesprits/Moirails. They call each other girlfriends.
=== Past Relationships ===
* [[Arsene]] and [[Looksi Gumshu|Looksi]]. Matesprits/Moirails/Kismeses.
* [[Cherie]] and [[Ponzii]]
013bdbe3bbefef8afbfde0838f442f426e1f1eec
1007
1006
2023-11-04T13:44:50Z
Onepeachymo
2
wikitext
text/x-wiki
''These takes are brought to you in collaboration between the homestuck wiki and Peachy's own personal opinions on quadrants.''
Quadrants make up the system of categorization for romance utilized by the [[Trolls]] on Alternia.
Troll romance is much more complicated than Human romance. While Human romance could be put into one category, Troll romance is split into four: the Flushed Quadrant, the Caliginous Quadrant, the Pale Quadrant, and the Ashen Quadrant. "Romance" is less black and white on Alternia, acting more as an umbrella term to categorize the complicated way Trolls connect through relationships, and includes quadrants that in human standards would more likely be described as "Platonic".
Troll romance is in part about the balance of emotions in a society that is incredibly geared towards violence. It's a way to stabilize a civilization that was groomed into a hierarchy that promotes oppression and needless death to those beneath you. It cultivates small pockets where trolls take care of each other when building up a community is heavily against the odds. The other part is, naturally, for reproduction. Reproduction is much like how it is in Homestuck proper but without the "Supply or Die" aspect of the drones collecting genetic material. Relationships are expected to be reported on the Troll Census and thus there you are enlisted to provide for the brood. That is all I will say on the matter. That is all anyone should say on the matter.
== Bifurcation ==
While Troll romance is split into four different quadrants, they can also be split into halves and categorized further. The top half of the Quadrants are recognized as Red Romance and the bottom half as Black Romance; the left side Concupiscent and the right side Conciliatory.
=== Red Romance ===
Strongly rooted in positive emotions. The Flushed and Pale Quadrants make up Red Romance, or Redrom.
=== Black Romance ===
Strongly rooted in negative emotions. The Caliginous and Ashen Quadrants make up Black Romance, or Blackrom.
=== Concupiscent ===
Relationships that are more so associated with reproduction. The Flushed and Caliginous Quadrants are Concupiscent.
=== Conciliatory ===
Relationships that are more about regulating emotions, likened to platonic relationships. The Pale and Ashen Quadrants are Conciliatory.
== Quadrants ==
=== Flushed ===
The Flushed Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Matesprits", and it can be referred to as a "Matespritship." The intent behind Matesprits are primarily rooted in positive emotions and the Flushed Quadrant is the closest of the four romances to Human romance. There's really not much more to be said on the matter. Love. You guys get it.
Matespritship is represented by a heart and the color red. In text, it can be recognized as ♥ or <3.
=== Pale ===
The Pale Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Conciliatory" bifurcation. Two trolls in this Quadrant are called "Moirails", and can be referred to as a "Moirallegience." Moirails are the platonic ideal of a soulmate in Alternian society. It's about finding someone that balances your emotional profile, and completes you, in a way. It is finding someone you can wholly entrust and bare yourself to, and get that same vulnerability back. You keep each other in check and help maintain one another's emotional well-being, though in cases between a lowblood and highblood, the support of a highblood Moirail can be a deterrent to those who may otherwise harm the lowblood, and in which case also maintains their physical well-being.
Moirallegience is represented by a diamond and the color pink. In text, it can be recognized as ♦ or <>.
=== Caliginous ===
The Caliginous Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Kismesis", and can be referred to as a "Kismesissitude." Kismesissitude is based on a mix of attraction and annoyance, likened to a sense of rivalry. It's about the pitch feelings that are cultivated by the frustration from thinking someone is just the Absolute Fucking Worst, but still being able to see redeeming qualities in them that, if not for the bad qualities, would make that person maybe even a bit alright. Kismesissitude should not be thought of as inherently toxic just because it's tied with primarily negative feelings; if healthy, a Kismesissitude is a beneficial outlet for Trolls more violent tendencies that works off steam in a setting where you don't actually want to kill the other person. An unhealthy Kismesissitude can be incredibly dangerous for the mental well-being of a troll, however, and in that situation an Auspistice would be needed to step in.
Kismesissitude is represented by a spade and the color black. In text, it can be recognized as ♠ or <3<.
=== Ashen ===
The Ashen Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Conciliatory" bifurcation. There are uniquely three trolls that participate in this Quadrant compared to the usual two, with the third troll who is regulating the other two being called the "Auspistice", and can be referred to as "Auspisticism". Auspisticism comes about when two trolls are in a particularly contentious relationship and need a mediator. This is most often found between two trolls who have not yet entered a Kismesissitude, and of which the intended goal it to keep them out of one. This is because the nature of Trolls on Alternia leads to many feuds between Trolls that left unchecked would lead to an over saturation of Kismeses and black infidelity. It can also be used to regulate a Kismesissitude that, without interference, could become unhealthy for the trolls in the relationship, or affect their relationships outside of it. In the case of vacillations, an Auspistice prevents two trolls from vacillating and committing infidelities with their other partners, if any.
Auspisticism is represented by a club and the color gray. In text, it can be recognized as ♣ or o8<.
== Quadrant Vacillation ==
There are many situations in which the complex feelings that accompany a polyamorous Quadrant system leads to a transmutative and malleable series of vacillations.
If two trolls enter an uncertain relationship where one party may feel flushed, and the other caliginous. One party will switch to match the other, but this will be followed up by many switches back and forth, a romantic tug-of-war. An Auspistice can be a very important third party in regulating a vacillation and keeping a romance stably in one Quadrant.
If you find any of this confusing, so do Trolls, as "[https://www.homestuck.com/story/2400 [they<nowiki>]</nowiki> exist in a state of almost perpetual confusion and generally have no idea what the hell is going on]."
== Canon Relationships ==
=== Matesprits ===
* [[Barise Klipse|Barise]] and [[Paluli Anriqi|Paluli]]
* [[Mabuya Arnava|Mabuya]] and [[Siette Aerien|Siette]]
* [[Awoole Fenrir|Awoole]] and [[Esceia]]
* [[Harfil Myches|Harfil]] and [[Venrot Fellix|Venrot]]
* [[Shikki Raynor|Shikki]] and [[Yolond Jasper|Yolond]]
Known Flushed Crushes:
* [[Anyaru Servus|Anyaru]] on [[Siette Aerien|Siette]]
=== Moirails ===
* [[Barise Klipse|Barise]] and [[Plaxii Arouet|Plaxii]]
* [[Patiya Sirtse|Patiya]] and [[Venili Habere|Venili]]
* [[Modrey Chienn|Modrey]] and [[Ravial Orande|Ravial]]
* [[Mabuya Arnava|Mabuya]] and [[Mavrik Notezz|Mavrik]]
Known Pale Crushes:
* [[Venrot Fellix|Venrot]] on [[Ponzii]]
=== Auspistices ===
* [[Patiya Sirtse|Patiya]] for [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]
=== Kismeses ===
* [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]. [[Patiya Sirtse|Patiya]] is their Auspistice.
* [[Awoole Fenrir|Awoole]] and [[Anyaru Servus|Anyaru]]
=== Vacillations/Exceptions ===
* [[Anatta Tereme|Anatta]] and [[Anicca Shivuh|Anicca]]. Their feelings are complex and they fall somewhere between Matesprits/Moirails. They call each other girlfriends.
=== Past Relationships ===
* [[Arsene]] and [[Looksi Gumshu|Looksi]]. Matesprits/Moirails/Kismeses.
* [[Cherie]] and [[Ponzii]]
bdbfeb42833cb9021caed0947d5c7d39499b86c3
1035
1007
2023-11-04T15:16:55Z
Onepeachymo
2
wikitext
text/x-wiki
''These takes are brought to you in collaboration between the homestuck wiki and Peachy's own personal opinions on quadrants.''
Quadrants make up the system of categorization for romance utilized by the [[Trolls]] on Alternia.
Troll romance is much more complicated than Human romance. While Human romance could be put into one category, Troll romance is split into four: the Flushed Quadrant, the Caliginous Quadrant, the Pale Quadrant, and the Ashen Quadrant. "Romance" is less black and white on Alternia, acting more as an umbrella term to categorize the complicated way Trolls connect through relationships, and includes quadrants that in human standards would more likely be described as "Platonic".
Troll romance is in part about the balance of emotions in a society that is incredibly geared towards violence. It's a way to stabilize a civilization that was groomed into a hierarchy that promotes oppression and needless death to those beneath you. It cultivates small pockets where trolls take care of each other when building up a community is heavily against the odds. The other part is, naturally, for reproduction. Reproduction is much like how it is in Homestuck proper but without the "Supply or Die" aspect of the drones collecting genetic material. Relationships are expected to be reported on the Troll Census and thus there you are enlisted to provide for the brood. That is all I will say on the matter. That is all anyone should say on the matter.
== Bifurcation ==
While Troll romance is split into four different quadrants, they can also be split into halves and categorized further. The top half of the Quadrants are recognized as Red Romance and the bottom half as Black Romance; the left side Concupiscent and the right side Conciliatory.
=== Red Romance ===
Strongly rooted in positive emotions. The Flushed and Pale Quadrants make up Red Romance, or Redrom.
=== Black Romance ===
Strongly rooted in negative emotions. The Caliginous and Ashen Quadrants make up Black Romance, or Blackrom.
=== Concupiscent ===
Relationships that are more so associated with reproduction. The Flushed and Caliginous Quadrants are Concupiscent.
=== Conciliatory ===
Relationships that are more about regulating emotions, likened to platonic relationships. The Pale and Ashen Quadrants are Conciliatory.
== Quadrants ==
=== Flushed ===
The Flushed Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Matesprits", and it can be referred to as a "Matespritship." The intent behind Matesprits are primarily rooted in positive emotions and the Flushed Quadrant is the closest of the four romances to Human romance. There's really not much more to be said on the matter. Love. You guys get it.
Matespritship is represented by a heart and the color red. In text, it can be recognized as ♥ or <3.
=== Pale ===
The Pale Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Conciliatory" bifurcation. Two trolls in this Quadrant are called "Moirails", and can be referred to as a "Moirallegience." Moirails are the platonic ideal of a soulmate in Alternian society. It's about finding someone that balances your emotional profile, and completes you, in a way. It is finding someone you can wholly entrust and bare yourself to, and get that same vulnerability back. You keep each other in check and help maintain one another's emotional well-being, though in cases between a lowblood and highblood, the support of a highblood Moirail can be a deterrent to those who may otherwise harm the lowblood, and in which case also maintains their physical well-being.
Moirallegience is represented by a diamond and the color pink. In text, it can be recognized as ♦ or <>.
=== Caliginous ===
The Caliginous Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Kismesis", and can be referred to as a "Kismesissitude." Kismesissitude is based on a mix of attraction and annoyance, likened to a sense of rivalry. It's about the pitch feelings that are cultivated by the frustration from thinking someone is just the Absolute Fucking Worst, but still being able to see redeeming qualities in them that, if not for the bad qualities, would make that person maybe even a bit alright. Kismesissitude should not be thought of as inherently toxic just because it's tied with primarily negative feelings; if healthy, a Kismesissitude is a beneficial outlet for Trolls more violent tendencies that works off steam in a setting where you don't actually want to kill the other person. An unhealthy Kismesissitude can be incredibly dangerous for the mental well-being of a troll, however, and in that situation an Auspistice would be needed to step in.
Kismesissitude is represented by a spade and the color black. In text, it can be recognized as ♠ or <3<.
=== Ashen ===
The Ashen Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Conciliatory" bifurcation. There are uniquely three trolls that participate in this Quadrant compared to the usual two, with the third troll who is regulating the other two being called the "Auspistice", and can be referred to as "Auspisticism". Auspisticism comes about when two trolls are in a particularly contentious relationship and need a mediator. This is most often found between two trolls who have not yet entered a Kismesissitude, and of which the intended goal it to keep them out of one. This is because the nature of Trolls on Alternia leads to many feuds between Trolls that left unchecked would lead to an over saturation of Kismeses and black infidelity. It can also be used to regulate a Kismesissitude that, without interference, could become unhealthy for the trolls in the relationship, or affect their relationships outside of it. In the case of vacillations, an Auspistice prevents two trolls from vacillating and committing infidelities with their other partners, if any.
Auspisticism is represented by a club and the color gray. In text, it can be recognized as ♣ or o8<.
== Quadrant Vacillation ==
There are many situations in which the complex feelings that accompany a polyamorous Quadrant system leads to a transmutative and malleable series of vacillations.
If two trolls enter an uncertain relationship where one party may feel flushed, and the other caliginous. One party will switch to match the other, but this will be followed up by many switches back and forth, a romantic tug-of-war. An Auspistice can be a very important third party in regulating a vacillation and keeping a romance stably in one Quadrant.
If you find any of this confusing, so do Trolls, as "[https://www.homestuck.com/story/2400 [they<nowiki>]</nowiki> exist in a state of almost perpetual confusion and generally have no idea what the hell is going on]."
== Canon Relationships ==
=== Matesprits ===
* [[Barise Klipse|Barise]] and [[Paluli Anriqi|Paluli]]
* [[Mabuya Arnava|Mabuya]] and [[Siette Aerien|Siette]]
* [[Awoole Fenrir|Awoole]] and [[Esceia]]
* [[Harfil Myches|Harfil]] and [[Venrot Fellix|Venrot]]
* [[Shikki Raynor|Shikki]] and [[Yolond Jasper|Yolond]]
Known Flushed Crushes:
* [[Anyaru Servus|Anyaru]] on [[Siette Aerien|Siette]]
=== Moirails ===
* [[Barise Klipse|Barise]] and [[Plaxii Arouet|Plaxii]]
* [[Patiya Sirtse|Patiya]] and [[Venili Habere|Venili]]
* [[Modrey Chienn|Modrey]] and [[Ravial Orande|Ravial]]
* [[Mabuya Arnava|Mabuya]] and [[Mavrik Notezz|Mavrik]]
Known Pale Crushes:
* [[Venrot Fellix|Venrot]] on [[Ponzii]]
=== Auspistices ===
* [[Patiya Sirtse|Patiya]] for [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]
=== Kismeses ===
* [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]. [[Patiya Sirtse|Patiya]] is their Auspistice.
* [[Awoole Fenrir|Awoole]] and [[Anyaru Servus|Anyaru]]
Known Caliginous Crushes:
* [[Knight Galfry|Knight]] on [[Aquett Aghara|Aquett]]
=== Vacillations/Exceptions ===
* [[Anatta Tereme|Anatta]] and [[Anicca Shivuh|Anicca]]. Their feelings are complex and they fall somewhere between Matesprits/Moirails. They call each other girlfriends.
=== Past Relationships ===
* [[Arsene]] and [[Looksi Gumshu|Looksi]]. Matesprits/Moirails/Kismeses.
* [[Cherie]] and [[Ponzii]]
09ba042737e1a4e8ad4ab9264378d9dfd1d11c9a
Matesprit
0
516
1008
2023-11-04T13:49:15Z
Onepeachymo
2
Redirected page to [[Quadrants#Flushed]]
wikitext
text/x-wiki
#REDIRECT [[Quadrants#Flushed]]
db88d76167c7ab14b664730ce2e1bbdb1fa4293a
Matesprits
0
517
1009
2023-11-04T13:49:47Z
Onepeachymo
2
Redirected page to [[Quadrants#Flushed]]
wikitext
text/x-wiki
#REDIRECT [[Quadrants#Flushed]]
db88d76167c7ab14b664730ce2e1bbdb1fa4293a
Moirail
0
518
1010
2023-11-04T13:50:48Z
Onepeachymo
2
Redirected page to [[Quadrants#Pale]]
wikitext
text/x-wiki
#REDIRECT [[Quadrants#Pale]]
1594ded0f089e130dab174e7db6708ec8702fa5f
Kismesis
0
519
1011
2023-11-04T13:52:05Z
Onepeachymo
2
Redirected page to [[Quadrants#Caliginous]]
wikitext
text/x-wiki
#REDIRECT [[Quadrants#Caliginous]]
3ec7814185f21ada8e1b0e1b4052936c45bd4074
Auspistice
0
520
1012
2023-11-04T13:52:27Z
Onepeachymo
2
Redirected page to [[Quadrants#Ashen]]
wikitext
text/x-wiki
#REDIRECT [[Quadrants#Ashen]]
729afb364a4b506615cf7d84d0802ff7ad919045
Shikki Raynor/Infobox
0
469
1013
866
2023-11-04T13:53:08Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Shikki Raynor
|symbol = [[File:Calflag.png|32px]]
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Shikki_Raynor.png]]
|caption = {{RS quote|violetblood| i am just flabbergasted you decided to message me honestly}} <br />
{{RS quote|violetblood| ↳ (you are very bold. and maybe stupid. respect)}}
|intro =
|title =
|age = {{Age|11.5}}
|gender = She/Her (Female) <br />
Lesbian
|status = Alive
|screenname = forthrightMurmur
|style = No capitalization and rare punctuation. Says one sentence to convey message, then addends another message with an arrow and parentheses after an enter space ↳ ( structured like this) to add additional subtext or side comments. Subtext is almost always superfluous and should hardly if ever provide additional context.
|specibus = Drillkind
|modus = Chest
|relations = [[Yolond Jasper|{{RS quote|violetblood|Yolond}}]] - [[Matesprits|Matesprit]] <br />
[[The Twospoke|{{RS quote|violetblood|The Twospoke}}]] - [[Ancestors|Ancestor]]
|planet =
|likes = her crewmates
|dislikes = responsibility, being in charge
|aka = {{RS quote|violetblood|Sharki}} ([[Tewkid Bownes|Tewkid]]) <br />
{{RS quote|violetblood|Kiki}} ([[Yolond Jasper|Yolond]])
|creator = onepeachymo & mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
b3ffc65bdb039da8db06a7f9de23b1d329bb0759
Borfix Mopolb/Infobox
0
521
1014
2023-11-04T14:02:30Z
Onepeachymo
2
Created page with "{{Character Infobox |name = Borfix Mopolb |symbol = [[File:Taurpio.png|32px]] |symbol2 = [[File:Taurpio.png|32px]] |complex = [[File:CharactersSprite.png]] |caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}} |intro = day they joined server |title = {{Classpect|Aspect|Class}} |age = {{Age|7}} |gender = Pronouns (Gender Identity) |status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or t..."
wikitext
text/x-wiki
{{Character Infobox
|name = Borfix Mopolb
|symbol = [[File:Taurpio.png|32px]]
|symbol2 = [[File:Taurpio.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Aspect|Class}}
|age = {{Age|7}}
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
69fe3eadcdf9cbdea44e25879de56391a0d1d8ae
Keymim Idrila/Infobox
0
522
1016
2023-11-04T14:04:44Z
Onepeachymo
2
Created page with "{{Character Infobox |name = Keymim Idrila |symbol = [[File:Scormini.png|32px]] |symbol2 = [[File:Scormini.png|32px]] |complex = [[File:CharactersSprite.png]] |caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}} |intro = day they joined server |title = {{Classpect|Aspect|Class}} |age = {{Age|10}} |gender = Pronouns (Gender Identity) |status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one o..."
wikitext
text/x-wiki
{{Character Infobox
|name = Keymim Idrila
|symbol = [[File:Scormini.png|32px]]
|symbol2 = [[File:Scormini.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Aspect|Class}}
|age = {{Age|10}}
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
4334a6690a5a8e0d09c80ae1b22413b4a34e4ba3
Rigore Mortis/Infobox
0
523
1018
2023-11-04T14:06:22Z
Onepeachymo
2
Created page with "{{Character Infobox |name = Rigore Mortis |symbol = [[File:Aries.png|32px]] |symbol2 = [[File:Aries.png|32px]] |complex = [[File:CharactersSprite.png]] |caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}} |intro = day they joined server |title = {{Classpect|Aspect|Class}} |age = {{Age|11.5}} |gender = Pronouns (Gender Identity) |status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or tw..."
wikitext
text/x-wiki
{{Character Infobox
|name = Rigore Mortis
|symbol = [[File:Aries.png|32px]]
|symbol2 = [[File:Aries.png|32px]]
|complex = [[File:CharactersSprite.png]]
|caption = {{RS quote|characterbloodcolor| character quote that you want underneath their picture}}
|intro = day they joined server
|title = {{Classpect|Aspect|Class}}
|age = {{Age|11.5}}
|gender = Pronouns (Gender Identity)
|status = Alive, Dead, Permadead, Ghost, Unalive, Half-alive, Etc Etc & any other simple one or two words you may want to use to describe their current status
|screenname = Moonbounce Username
|style = quirk description
|specibus = Weaponkind
|modus = Modus
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Bloodcolor of Character you are linking to|Name you want to be displayed for hyperlink}}]] - [[Relation Link Page(ie: Matesprites/Moirails/Etc, Ancestor, Crewmate, Etc)|What you want that hyperlink to be called]]
|planet = Land of LandName1 and LandName2
|likes = likes, or not
|dislikes = dislikes, or not
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = your name}}
cfadbbd2c563dca985963bd52e36fb486bb157c7
Template:Navbox Trolls
10
72
1020
834
2023-11-04T14:13:23Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Arsci.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
<td style="width:34%;"><big>[[File:Aries.png|16px|link=Rigore Mortis]] {{clink|Rigore Mortis|redblood}}</big></td>
<td style="width:33%;"><big>[[File:ECG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Taurmini.png|16px|link=Awoole Fenrir]] {{clink|Awoole Fenrir|bronzeblood}}</big></td>
<td style="width:34%;"><big>[[File:Taurpio.png|16px|link=Borfix Mopolb]] {{clink|Borfix Mopolb|bronzeblood}}</big></td>
<td style="width:33%;"><big>[[File:Taurlo.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
<td style="width:25%;"><big>[[File:Leus.png|16px|link=Gibush Threwd]] {{clink|Gibush Threwd|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
<td style="width:25%;"><big>[[File:Virsci.png|16px|link=Siniix Auctor]] {{clink|Siniix Auctor|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Libza.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Scorza.png|16px|link=Anyaru Servus]] {{clink|Anyaru Servus|blueblood}}</big></td>
<td style="width:50%;"><big>[[File:Scormini.png|16px|link=Keymim Idrila]] {{clink|Keymim Idrila|blueblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|12px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|15px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Piga.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] [[Anicca Shivuh#Skeletani|{{Color|black|Skeletani}}]]{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
e00b8c1c132dc69c3437d9b95fe6471e731aa43a
1022
1020
2023-11-04T14:40:44Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Arsci.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
<td style="width:34%;"><big>[[File:Aries.png|16px|link=Rigore Mortis]] {{clink|Rigore Mortis|redblood}}</big></td>
<td style="width:33%;"><big>[[File:ECG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Taurmini.png|16px|link=Awoole Fenrir]] {{clink|Awoole Fenrir|bronzeblood}}</big></td>
<td style="width:34%;"><big>[[File:Taurpio.png|16px|link=Borfix Mopolb]] {{clink|Borfix Mopolb|bronzeblood}}</big></td>
<td style="width:33%;"><big>[[File:Taurlo.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
<td style="width:25%;"><big>[[File:Leus.png|16px|link=Gibush Threwd]] {{clink|Gibush Threwd|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
<td style="width:25%;"><big>[[File:Virsci.png|16px|link=Siniix Auctor]] {{clink|Siniix Auctor|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Libza.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Scorza.png|16px|link=Anyaru Servus]] {{clink|Anyaru Servus|blueblood}}</big></td>
<td style="width:50%;"><big>[[File:Scormini.png|16px|link=Keymim Idrila]] {{clink|Keymim Idrila|blueblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="2" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|12px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|15px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
<tr>
<td style="width:25%;"><big>[[File:Calflag.png|17px|link=Shikki Raynor]]{{clink|Shikki Raynor|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Calflag.png|17px|link=Yolond Jasper]]{{clink|Yolond Jasper|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Calflag.png|17px|link=Kurien Burrke]]{{clink|Kurien Burrke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Calflag.png|17px|link=Merrie Bonnet]]{{clink|Merrie Bonnet|violetblood}}</big></td>
</tr>
<tr>
<td style="width:25%;"><big>[[File:Calflag.png|17px|link=Vemixe Jenning]]{{clink|Vemixe Jenning|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Calflag.png|17px|link=Lealda Caspin]]{{clink|Lealda Caspin✝|black}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Piga.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] [[Anicca Shivuh#Skeletani|{{Color|black|Skeletani}}]]{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
0f2551a2587bcff58baf945c5622f03de5e2f02f
Hemospectrum
0
524
1021
2023-11-04T14:40:33Z
Onepeachymo
2
Created page with "== Redblood == == Bronzeblood == == Yellowblood == == Greenblood == == Jadeblood == == Tealblood == == Blueblood == == Indigoblood == == Purpleblood == == Violetblood == == Fuchsiablood =="
wikitext
text/x-wiki
== Redblood ==
== Bronzeblood ==
== Yellowblood ==
== Greenblood ==
== Jadeblood ==
== Tealblood ==
== Blueblood ==
== Indigoblood ==
== Purpleblood ==
== Violetblood ==
== Fuchsiablood ==
5e14146ed353bc6aa72800b9b5b6dfa42baa4c2d
Anyaru Servus/Infobox
0
454
1023
947
2023-11-04T14:43:40Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Anyaru Servus
|symbol = [[File:Scorza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex = [[File:Anyaru_Servus.png]]
|caption = {{RS quote|ceruleanblood| 📖 Greetings. 📘}}
|intro = day they joined server
|title = {{Classpect|Mind|Maid}}
|age = {{Age|9}}
|gender = She/They(Agender)
|status = Alive
|screenname = calmingHyacinth
|style = Begins with an open book, and ends with a closed book.
|specibus = Bonekind
|modus = Encyclopedia
|relations = [[Siette_Aerien|{{RS quote|purpleblood|Siette Aerien}}]] - [[Matesprit|Flush Crush]] </br>
[[Awoole_Fenrir|{{RS quote|bronzeblood|Awoole Fenrir}}]] - [[Kismesis|Kismesis]]
|planet = Land of Libraries and Bone
|likes = Literature, tea, whiskey, guns, gothic design and clothing
|dislikes = Anyone who Siette dislikes
|aka = {{RS quote|purpleblood|Annie}} ([[Siette Aerien|Siette]])
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
2e7672dd71ee25f3bbdbbcd4674c706c1df70af2
1028
1023
2023-11-04T14:52:49Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Anyaru Servus
|symbol = [[File:Scorza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex = <tabber>
|-| Default= [[File:Anyaru_Servus.png]]
|-| Overcoat= [[File:Anyaru Servus Longcoat.png]]
</tabber>
|caption = {{RS quote|ceruleanblood| 📖 Greetings. 📘}}
|intro = day they joined server
|title = {{Classpect|Mind|Maid}}
|age = {{Age|9}}
|gender = She/They(Agender)
|status = Alive
|screenname = calmingHyacinth
|style = Begins with an open book, and ends with a closed book.
|specibus = Bonekind
|modus = Encyclopedia
|relations = [[Siette_Aerien|{{RS quote|purpleblood|Siette Aerien}}]] - [[Matesprit|Flush Crush]] </br>
[[Awoole_Fenrir|{{RS quote|bronzeblood|Awoole Fenrir}}]] - [[Kismesis|Kismesis]]
|planet = Land of Libraries and Bone
|likes = Literature, tea, whiskey, guns, gothic design and clothing
|dislikes = Anyone who Siette dislikes
|aka = {{RS quote|purpleblood|Annie}} ([[Siette Aerien|Siette]])
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
b05526c73e4b2363563166ff08ecffbb9c9691ac
Category:Pages using duplicate arguments in template calls
14
525
1025
2023-11-04T14:48:40Z
Onepeachymo
2
Created page with "__HIDDENCAT__"
wikitext
text/x-wiki
__HIDDENCAT__
183b9c38bff80327776bd180634fccfd19cf616f
Calico Drayke/Infobox
0
38
1029
925
2023-11-04T14:59:03Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Calico Drayke
|symbol = [[File:Aquiun.png|32px]]
|symbol2 = [[File:Aspect_Breath.png|32px]]
|complex = <tabber>
|-| Present= [[File:Calico_Drayke.png]]
|-| Past ▾={{#tag:tabber|
{{!}}-{{!}}Young=[[File:Calico_Drayke_Young.png]]}}
</tabber>
|caption = {{RS quote|violetblood|[[File:Calflag.png|15px]] always, tewkid. ill always be by yer side. and ye'll always be by mine.}}
|intro = 9/22/2021
|title = {{Classpect|Breath|Thief}}
|age = {{Age|9.25}}
|gender = He/Him (Male)
|status = Alive <br />
Kidnapped
|screenname = languidMarauder
|style = Starts his messages with their ship's flag. Types out his pirate accent (you=ye, your=yer, to=ta, the=tha, etc). Very rarely capitalizes, but uses proper grammar and punctuation.
|specibus = Netkind, Cutclasskind
|modus = Cannon
|relations = [[The Marauder|{{RS quote|violetblood|The Marauder}}]] - [[Ancestors|Ancestor]]<br />
|planet = Land of Sabotage and Silver Shores
|likes = Violetbloods
|dislikes = Bluebloods
|aka = Captain/Capn, Cally, Cal, </br>
{{RS quote|yellowblood|Cally Baby}} ([[Skoozy Mcribb|Skoozy]])
|creator = [[User:Onepeachymo|onepeachymo]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
5699e6c9898dce864b299ddd0c31c92c4f5f1206
File:Guppie Current.png
6
526
1032
2023-11-04T15:09:15Z
Onepeachymo
2
There's something weird going on. Narrows my eyes.
wikitext
text/x-wiki
== Summary ==
There's something weird going on. Narrows my eyes.
e90b92fb3e9e13bf10d73951cf3c4206c15cd95f
File:Guppie Original.png
6
527
1033
2023-11-04T15:13:32Z
Onepeachymo
2
had to reupload
wikitext
text/x-wiki
== Summary ==
had to reupload
ab811e268134352acb1f4a4e92f7b8976193b37a
Guppie Suamui/Infobox
0
441
1034
984
2023-11-04T15:13:57Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Guppie Suamui
|symbol = [[File:Aquicorn.png|32px]]
|symbol2 = [[File:Aspect_Rage.png|32px]]
|complex = <tabber>
|-| Current Guppie= [[File:Guppie_Current.png]]
|-| Original Guppie= [[File:Guppie_Original.png]]
</tabber>
|caption = {{RS quote|violetblood| ok. so}}
|intro = day they joined server
|title = {{Classpect|Rage|Sylph}}
|age = {{Age|9}}
|gender = She/Her (Female)
|status = Alive
|screenname = gossamerDaydreamer
|style = she uses owospeak, ex "owo wook owew hewe uwo"
|specibus = Hornkind
|modus = Selfie
|relations = [[The Barbaric|{{RS quote|violetblood|The Barbaric}}]] - [[Ancestors|Ancestor]]
|planet = Land of Pique and Slumber
|likes = herself, violence, hot goss
|dislikes = being told no
|aka = {{RS quote|bronzeblood|Gups}} ([[Ponzii|Ponzii]])
|creator = Mordimoss}}
8827afe5bf894a71de267aeae21ac29e364c8c48
Looksi Gumshu/Infobox
0
35
1036
956
2023-11-04T15:24:04Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Looksi Gumshu
|symbol = [[File:Libza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex= <tabber>
|-| Current Tie= [[File:Looksi Sprite.png]]
|-| Old Tie= [[File:Looksi sprite (old).png]]
</tabber>
|caption = {{RS quote|Teal| 𝙲𝚞𝚝 𝚝𝚑𝚎 𝚜𝚑𝚒𝚝 𝙼𝚌𝚛𝚒𝚋𝚋.}}
|intro =
|title = {{Classpect|Mind|Knight}}
|age = {{Age|12.5}}
|gender = He/Him (Male)
|status = Alive
|screenname = phlegmaticInspector
|style = 𝚄𝚜𝚎𝚜 𝚝𝚢𝚙𝚎𝚠𝚛𝚒𝚝𝚎𝚛 𝚏𝚘𝚗𝚝, 𝚊𝚗𝚍 𝚊𝚕𝚜𝚘 𝚑𝚊𝚜 𝚊 𝚐𝚘𝚘𝚍 𝚜𝚎𝚗𝚜𝚎 𝚘𝚏 𝚙𝚞𝚗𝚌𝚝𝚞𝚊𝚝𝚒𝚘𝚗 𝚊𝚗𝚍 𝚐𝚛𝚊𝚖𝚖𝚊𝚛. 𝙼𝚊𝚢 𝚊𝚕𝚜𝚘 𝚜𝚙𝚎𝚊𝚔 𝚒𝚗 𝚍𝚎𝚝𝚎𝚌𝚝𝚒𝚟𝚎 𝚗𝚘𝚒𝚛𝚎 𝚍𝚒𝚊𝚕𝚘𝚐𝚞𝚎.
|specibus = Pistolkind
|modus = Scotch
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Teal|Drewcy/Arsene Ripper}}]]✝ - [[Matesprit|(EX) Matesprites/]][[Moirail|Moirails]]
[[Character you want to Link to’s URL Name|{{RS quote|Blue|Jonesy Triton}}]]✝ - Assistant
[[Character you want to Link to’s URL Name|{{RS quote|Teal|The Sherlock}}]] - [[Ancestors|Ancestor]]
|planet = Land of Libraries and Labyrinths
|likes = Cigars, Coffee
|dislikes = Betrayal, [[Skoozy Mcribb|Skoozy]]
|aka = Detective, {{RS quote|Teal|Looker}} (Arsene), <br />
{{RS quote|Bronzeblood|Bossman}} ([[Ponzii]]) <br />
|creator = [[User:Wowzersbutnot|Wowz]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
2b4d9449f76ed44ebbe516aef6cf9021908642fb
File:Paluli Temporary.png
6
529
1040
2023-11-04T15:39:49Z
Onepeachymo
2
reuploading to attempt to fix stretching errors
wikitext
text/x-wiki
== Summary ==
reuploading to attempt to fix stretching errors
971229d4f0b5627a8814cc398c3420706285c261
File:Paluli Original.png
6
530
1041
2023-11-04T15:40:50Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Paluli Anriqi/Infobox
0
442
1042
991
2023-11-04T15:41:51Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Paluli Anriqi
|symbol = [[File:Arsci.png|32px]]
|symbol2 = [[File:Aspect_Life.png|32px]]
|complex= <tabber>
|-| Current Paluli= [[File:Paluli_Temporary.png]]
|-| Original Paluli= [[File:Paluli_Original.png]]
</tabber>
|caption = {{RS quote|rustblood| i'll qlwqys be here for you, deqr deqr}}
|intro = 08/04/2021
|title = {{Classpect|Life|Maid}}
|age = {{Age|9}}
|gender = She/Her (Female)
|status = Dead, Awake on Prospit
|screenname = forgedHeart
|style = she replaces ever "A" with a "Q" and repeats the last word of every message
|specibus = Shearkind
|modus = Dartboard
|relations = [[Barise Klipse|{{RS quote|tealblood | Barise Klipse}}]] - [[Matesprit|Matesprit]]</br>
[[The Tinkerer|{{RS quote|rustblood |The Tinkerer}}]] - [[Ancestors|Ancestor]]
|planet = Land of Mirrors and Music boxes
|likes = Music, reading, Barise
|dislikes = Blood, violence, Skoozy
|aka = {{RS quote|bronzeblood|Pauli }}([[Ponzii|Ponzii]]) </br>
{{RS quote|purpleblood|Angel }}([[Siette Aerien|Siette]]) </br>
{{RS quote|violetblood|Polywag }}([[Tewkid Bownes|Tewkid]]) </br>
{{RS quote|violetblood|Lulu }}(Mabuya)
|creator = Mordimoss}}
8db8df9f832315397bbf46d7e42476249f49b320
1060
1042
2023-11-04T17:27:40Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Paluli Anriqi
|symbol = [[File:Arsci.png|32px]]
|symbol2 = [[File:Aspect_Life.png|32px]]
|complex= <tabber>
|-| Current Paluli= [[File:Paluli_Temporary.png]]
|-| Original Paluli= [[File:Paluli_Original.png]]
</tabber>
|caption = {{RS quote|rustblood| i'll qlwqys be here for you, deqr deqr}}
|intro = 08/04/2021
|title = {{Classpect|Life|Maid}}
|age = {{Age|9}}
|gender = She/Her (Female)
|status = Dead, Awake on Prospit
|screenname = forgedHeart
|style = she replaces ever "A" with a "Q" and repeats the last word of every message
|specibus = Shearkind
|modus = Dartboard
|relations = [[Barise Klipse|{{RS quote|tealblood | Barise Klipse}}]] - [[Matesprit|Matesprit]]</br>
[[The Tinkerer|{{RS quote|rustblood |The Tinkerer}}]] - [[Ancestors|Ancestor]]
|planet = Land of Mirrors and Music boxes
|likes = Music, reading, Barise
|dislikes = Blood, violence, Skoozy
|aka = {{RS quote|bronzeblood|Pauli }}([[Ponzii|Ponzii]]) </br>
{{RS quote|purpleblood|Angel }}([[Siette Aerien|Siette]]) </br>
{{RS quote|violetblood|Polywag }}([[Tewkid Bownes|Tewkid]]) </br>
{{RS quote|violetblood|Lulu }}(Mabuya)
|creator = [[User:Mordimoss|Mordimoss]]}}
33ae69d983cc3808898b30e8f9bd3a71fa5734a4
Ponzii ??????/Infobox
0
109
1043
970
2023-11-04T15:43:04Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Ponzii ??????
|symbol = [[File:Taurlo.png|32px]]
|symbol2 = [[File:Aspect_Heart.png|32px]]
|complex = [[File:Ponzii Sprite.png]]
|caption = {{RS quote|bronzeblood|and t#en i wink at t#e camera}}
|intro =
|title = {{Classpect|Heart|Thief}}
|age = {{Age|8.7}}
|gender = Any (Nonbinary)
|status = Alive
|screenname = acquisitiveSupreme
|style = Does not give a fuck about spelling,grammar,punctuation. also replaces 'h' with #.
|specibus = Daggerkind
|modus = Memory
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Red|Cherie}}]]✝ - [[Matesprit|Matesprit]] </br>
[[Character you want to Link to’s URL Name|{{RS quote|Bronzeblood|The Merchant}}]] - [[Ancestors|Ancestor]]
|planet = Land of Affection and Roses
|likes = Money, Shiny Things
|dislikes = Sand
|aka = {{RS quote|purpleblood|Ponz}} ([[Siette Aerien|Siette]]), <br />
{{RS quote|greenblood|Zii}} ([[Anicca Shivuh|Anicca]]), <br />
{{RS quote|yellowblood|Pawnshop}} ([[Skoozy Mcribb|Skoozy]]), <br />
{{RS quote|violetblood|Zizi}} ([[Mabuya Arnava|Mabuya]])
|creator = Wowz}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
12b8dda9b848cf77620f16a8a636298cdbb4dc02
Siette Aerien/Infobox
0
106
1044
989
2023-11-04T15:45:47Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Siette Aerien
|symbol = [[File:Capricorn.png|32px]]
|symbol2 = [[File:Aspect_Rage.png|32px]]
|complex = [[File:Siette_Aerien.png]]
|caption = {{RS quote|purpleblood|5quirm.}}
|intro = 8/20/2021
|title = {{Classpect|Rage|Witch}}
|age = {{Age|10.5}}
|gender = She/They (Nonbinary)
|status = Alive </br>
Traveling </br>
On a killing spree </br>
|screenname = balefulAcrobat
|style = Replaces "E," with "3," and "S," with "5." Primarily types in lowercase.
|specibus = Axekind, Whipkind
|modus = Modus
|relations = [[Mabuya Arnava|{{RS quote|violetblood|Mabuya Arnava}}]] - [[Matesprits|Matesprit]]
|planet = Land of Mirage and Storm
|likes = Faygo, Murder, Silk Dancing
|dislikes = [[Guppie Suamui|{{RS quote|violetblood|Guppie Suamui}}]], [[Awoole Fenrir|{{RS quote|bronzeblood|Awoole Fenrir}}]]
|aka = {{RS quote|violetblood|Sisi, Strawberry}} ([[Mabuya Arnava|Mabuya]])
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
929b6cdaf27f384ab8ea04ccd1e74348bce38ab1
1045
1044
2023-11-04T15:48:31Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Siette Aerien
|symbol = [[File:Capricorn.png|32px]]
|symbol2 = [[File:Aspect_Rage.png|32px]]
|complex= <tabber>
|-| Default= [[File:Siette_Aerien.png]]
|-| Prospit= [[File:Siette Aerien Prospit.png]]
|-| Party= [[File:Siette Aerien Fancy.png]]
|-| Performance= [[File:Siette_Aerien_Performance.png]]
</tabber>
|caption = {{RS quote|purpleblood|5quirm.}}
|intro = 8/20/2021
|title = {{Classpect|Rage|Witch}}
|age = {{Age|10.5}}
|gender = She/They (Nonbinary)
|status = Alive </br>
Traveling </br>
On a killing spree </br>
|screenname = balefulAcrobat
|style = Replaces "E," with "3," and "S," with "5." Primarily types in lowercase.
|specibus = Axekind, Whipkind
|modus = Modus
|relations = [[Mabuya Arnava|{{RS quote|violetblood|Mabuya Arnava}}]] - [[Matesprits|Matesprit]]
|planet = Land of Mirage and Storm
|likes = Faygo, Murder, Silk Dancing
|dislikes = [[Guppie Suamui|{{RS quote|violetblood|Guppie Suamui}}]], [[Awoole Fenrir|{{RS quote|bronzeblood|Awoole Fenrir}}]]
|aka = {{RS quote|violetblood|Sisi, Strawberry}} ([[Mabuya Arnava|Mabuya]])
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
5f926abd0256613ca87d54a8c7aee28c0f0a759c
Siniix Auctor/Infobox
0
453
1046
904
2023-11-04T15:51:06Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Siniix Auctor
|symbol = [[File:Virsci.png|32px]]
|symbol2 = [[File:Aspect_Life.png|25px]]
|complex = <tabber>
|-| Default= [[File:Siniix_Auctor.png]]
|-| Carving Night= [[File:Siniix_Auctor_Witch.png]]
</tabber>
|caption = {{RS quote|jadeblood|☆ hi...! ☆}}
|intro = 1/17/2023
|title = {{Classpect|Life|Witch}}
|age = ? {{Age|8}}
|gender = She/Her (Female)
|status = Alive
|screenname = temporalDramatist
|style = Begins and ends with a star, ☆, and capitalizes "L."
|specibus = Quillkind
|modus = Messenger Bag
|relations = [[Knight Galfry|{{RS quote|Indigoblood|Knight Galfry}}]] - Love interest
|planet = Land of Parchment and Cracked Mirrors
|likes = Literature, tea, historical records, romance, swordswomen
|dislikes = Coffee, crowded places
|aka = Snips
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
6d3e6a12ce2714ec2841019d0e4e4512229cb289
Skoozy Mcribb/Infobox
0
230
1047
802
2023-11-04T15:51:43Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Skoozy Mcribb
|symbol = [[File:Gemza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex = [[File:Skoozy.png]]
|caption = {{RS quote|goldblood| we live in an eMpire}}
|intro = 08/04/2021
|title = {{Classpect|Mind|Prince}}
|age = {{Age|10}}
|gender = He/Him (trans man)
|status = Dead
Awake on derse
|screenname = analyticalSwine
|style = capitalizes every m, and every word after a word with an m has a "Mc" in front of set word
|specibus = Cleatkind
|modus = Slidepuzzle
|relations = [[The Megamind|{{RS quote|yellowblood|The Megamind}}]] - [[Ancestor|Ancestor]]
|planet = Land of Arches and Spotlights
|likes = Mcdonald's, Goldbloods, Calico
|dislikes = Highbloods
|aka = {{RS quote|greenblood|Piggy}} ([[Anicca Shivuh|Anicca]], Anatta)
|creator = Mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
fec8660598df6240d65404087b7279cc19f89839
1048
1047
2023-11-04T15:51:54Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Skoozy Mcribb
|symbol = [[File:Gemza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex = [[File:Skoozy.png]]
|caption = {{RS quote|goldblood| we live in an eMpire}}
|intro = 08/04/2021
|title = {{Classpect|Mind|Prince}}
|age = {{Age|10}}
|gender = He/Him (trans man)
|status = Dead
Awake on derse
|screenname = analyticalSwine
|style = capitalizes every m, and every word after a word with an m has a "Mc" in front of set word
|specibus = Cleatkind
|modus = Slidepuzzle
|relations = [[The Megamind|{{RS quote|yellowblood|The Megamind}}]] - [[Ancestors|Ancestor]]
|planet = Land of Arches and Spotlights
|likes = Mcdonald's, Goldbloods, Calico
|dislikes = Highbloods
|aka = {{RS quote|greenblood|Piggy}} ([[Anicca Shivuh|Anicca]], Anatta)
|creator = Mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
81ffa91bfcd63281e0d03e7ce0416a3cf73167bb
Yolond Jasper/Infobox
0
474
1049
868
2023-11-04T15:52:34Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Yolond Jasper
|symbol = [[File:Calflag.png|32px]]
|symbol2 = [[File:Calflag.png|32px]]
|complex = [[File:Yolond_Jasper.png]]
|caption = >{{RS quote|6| thanks for telling me, i know it was hard, i can't imagine how painful those memories are}}<
|intro =
|title =
|age = {{Age|10}}
|gender = She/Her (Female)
|status = Alive
|screenname = silentSignificance
|style = Speaks casually without capitalization, uses punctuation. All text is hidden in a spoiler.
|specibus =
|modus =
|relations = [[Shikki Raynor|{{RS quote|violetblood|Shikki}}]] - [[Matesprits|Matesprit]] <br />
[[The Reticent|{{RS quote|violetblood|The Reticent}}]] - [[Ancestors|Ancestor]]
|planet =
|likes =
|dislikes =
|aka = {{RS quote|violetblood|Yoyo}} ([[Shikki Raynor|Shikki]])
|creator = onepeachymo & mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
3ec543a4787f7ef9b3719c30c80cbc2925c84c5d
Anicca Shivuh/Infobox
0
451
1050
798
2023-11-04T15:55:55Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Anicca Shivuh
|symbol = [[File:Lemino.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = [[File:Anicca_Shivuh.png]]
|caption = {{RS quote|greenblood|HEEEEEEEELLLLLLLLLPPPPPPPPPPPP}}
|intro = Created the Server
|title = {{Classpect|Doom|Mage}}
|age = {{Age|10}}
|gender = She/They (nb girl) <br />
NB Lesbian
|status = Alive
|screenname = Moonbounce Username
|style = always uses lowercase, hardly ever uses punctuation, doubles any use of "t"'s, except for on the word "but"
|specibus = 1/2bttlekind
|modus = Rorschach
|relations = [[Anatta Tereme|{{RS quote|jadeblood|Anatta}}]] - [[Matesprites|Matesprit/]][[Moirails|Moirail]]
|planet = Land of Carbon and Static
|likes = fucking around, finding out, being annoying, psychology, philosophy
|dislikes = the caste system, the empire, the heiress, being told what to do
|aka = Ani,
{{RS quote|bronzeblood|Poodle}} ([[Ponzii]])
|creator = [[User:Onepeachymo|onepeachymo]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
633085972b3583b57a301c425c38aedc59f57f12
1051
1050
2023-11-04T15:56:20Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Anicca Shivuh
|symbol = [[File:Lemino.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = [[File:Anicca_Shivuh.png]]
|caption = {{RS quote|greenblood|HEEEEEEEELLLLLLLLLPPPPPPPPPPPP}}
|intro = Created the Server
|title = {{Classpect|Doom|Mage}}
|age = {{Age|10}}
|gender = She/They (nb girl) <br />
NB Lesbian
|status = Alive
|screenname = Moonbounce Username
|style = always uses lowercase, hardly ever uses punctuation, doubles any use of "t"'s, except for on the word "but"
|specibus = 1/2bttlekind
|modus = Rorschach
|relations = [[Anatta Tereme|{{RS quote|jadeblood|Anatta}}]] - [[Matesprits|Matesprit/]][[Moirail|Moirail]]
|planet = Land of Carbon and Static
|likes = fucking around, finding out, being annoying, psychology, philosophy
|dislikes = the caste system, the empire, the heiress, being told what to do
|aka = Ani,
{{RS quote|bronzeblood|Poodle}} ([[Ponzii]])
|creator = [[User:Onepeachymo|onepeachymo]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
d9d53c900a4af17a0200f1c2795d202ef1757dd7
1054
1051
2023-11-04T17:00:51Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Anicca Shivuh
|symbol = [[File:Lemino.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex = [[File:Anicca_Shivuh.png]]
|caption = {{RS quote|greenblood|HEEEEEEEELLLLLLLLLPPPPPPPPPPPP}}
|intro = Created the Server
|title = {{Classpect|Doom|Mage}}
|age = {{Age|10}}
|gender = She/They (nb girl) <br />
NB Lesbian
|status = Alive
|screenname = vulturesInfelicity
|style = always uses lowercase, hardly ever uses punctuation, doubles any use of "t"'s, except for on the word "but"
|specibus = 1/2bttlekind
|modus = Rorschach
|relations = [[Anatta Tereme|{{RS quote|jadeblood|Anatta}}]] - [[Matesprits|Matesprit/]][[Moirail|Moirail]]
|planet = Land of Carbon and Static
|likes = fucking around, finding out, being annoying, psychology, philosophy
|dislikes = the caste system, the empire, the heiress, being told what to do
|aka = Ani,
{{RS quote|bronzeblood|Poodle}} ([[Ponzii]])
|creator = [[User:Onepeachymo|onepeachymo]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
416293dccebba123e9f55d9688cc0389c046e0b0
Salang Lyubov/Infobox
0
452
1052
805
2023-11-04T16:03:18Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Salang Lyubov
|symbol = [[File:Virlo.png|32px]]
|symbol2 = [[File:Aspect_Heart.png|32px]]
|complex = [[File:Salang_Lyubov2.png]]
|caption = {{RS quote|yellowblood| < TAKE THE GOGDA'''M'''N McDOWN!!!!!!!! >}}
|intro = 8/11/2023
|title = {{Classpect|Heart|Seer}}
|age = {{Age|8.5}}
|gender = He/They (Demiboy) <br />
Bisexual
|status = Alive
Skoozied, Vaguely
|screenname = venusAmbassador
|style = Venus brackets his speech with four different sets of brackets depending on the tone of the message. He also likes to use a lot of kaomoji, and uses proper grammar, punctuation, and capitalization.
* < This is the standard tone. >
* < This is when he's expressing positive emotions. 3
* < This is when he's expressing negative emotions 3<
* c This is when he's being curious, nosey, or meddlesome. 3<
|specibus = jumpropekind
|modus = matching
|relations = {{RS quote|blueblood|Unnamed Cerulean}} - Roommate
|planet = Land of x and x
|likes = romance, writing, giving advice, 404, the color pink
|dislikes = romcoms
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = [[User:Onepeachymo|onepeachymo]]}}
c52ff670fe63be73479d55d84d0bf2ec00226b8b
1057
1052
2023-11-04T17:18:00Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Salang Lyubov
|symbol = [[File:Virlo.png|32px]]
|symbol2 = [[File:Aspect_Heart.png|32px]]
|complex = [[File:Salang_Lyubov2.png]]
|caption = {{RS quote|yellowblood| < TAKE THE GOGDA'''M'''N McDOWN!!!!!!!! >}}
|intro = 8/11/2023
|title = {{Classpect|Heart|Seer}}
|age = {{Age|8.5}}
|gender = He/They (Demiboy) <br />
Bisexual
|status = Alive </br>
Skoozied, Vaguely
|screenname = venusAmbassador
|style = Venus brackets his speech with four different sets of brackets depending on the tone of the message. He also likes to use a lot of kaomoji, and uses proper grammar, punctuation, and capitalization.
* < This is the standard tone. >
* < This is when he's expressing positive emotions. 3
* < This is when he's expressing negative emotions 3<
* c This is when he's being curious, nosey, or meddlesome. 3<
|specibus = jumpropekind
|modus = matching
|relations = {{RS quote|blueblood|Unnamed Cerulean}} - Roommate
|planet = Land of x and x
|likes = romance, writing, giving advice, 404, the color pink
|dislikes = romcoms
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = [[User:Onepeachymo|onepeachymo]]}}
d74c9d692bb4304f0b6d484a830b97984f5672d5
1058
1057
2023-11-04T17:20:32Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Salang Lyubov
|symbol = [[File:Virlo.png|32px]]
|symbol2 = [[File:Aspect_Heart.png|32px]]
|complex = <tabber>
|-| Default=[[File:Salang_Lyubov2.png]]
|-| Original Design=[[File:Salang_Lyubov.png]]
</tabber>
|caption = {{RS quote|yellowblood| < TAKE THE GOGDA'''M'''N McDOWN!!!!!!!! >}}
|intro = 8/11/2023
|title = {{Classpect|Heart|Seer}}
|age = {{Age|8.5}}
|gender = He/They (Demiboy) <br />
Bisexual
|status = Alive </br>
Skoozied, Vaguely
|screenname = venusAmbassador
|style = Venus brackets his speech with four different sets of brackets depending on the tone of the message. He also likes to use a lot of kaomoji, and uses proper grammar, punctuation, and capitalization.
* < This is the standard tone. >
* < This is when he's expressing positive emotions. 3
* < This is when he's expressing negative emotions 3<
* c This is when he's being curious, nosey, or meddlesome. 3<
|specibus = jumpropekind
|modus = matching
|relations = {{RS quote|blueblood|Unnamed Cerulean}} - Roommate
|planet = Land of x and x
|likes = romance, writing, giving advice, 404, the color pink
|dislikes = romcoms
|aka = Full name if Header is a nickname, nicknames if Header is a full name
|creator = [[User:Onepeachymo|onepeachymo]]}}
3539ec63f8ed33939df73e29f069c04c6a6ef689
1064
1058
2023-11-04T18:22:10Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Salang Lyubov
|symbol = [[File:Virlo.png|32px]]
|symbol2 = [[File:Aspect_Heart.png|32px]]
|complex = <tabber>
|-| Default=[[File:Salang_Lyubov2.png]]
|-| Original Design=[[File:Salang_Lyubov.png]]
</tabber>
|caption = {{RS quote|yellowblood| < TAKE THE GOGDA'''M'''N McDOWN!!!!!!!! >}}
|intro = 8/11/2023
|title = {{Classpect|Heart|Seer}}
|age = {{Age|8.5}}
|gender = He/They (Demiboy) <br />
Bisexual
|status = Alive </br>
Skoozied, Vaguely
|screenname = venusAmbassador
|style = Venus brackets his speech with four different sets of brackets depending on the tone of the message. He also likes to use a lot of kaomoji, and uses proper grammar, punctuation, and capitalization.
* < This is the standard tone. >
* < This is when he's expressing positive emotions. 3
* < This is when he's expressing negative emotions 3<
* c This is when he's being curious, nosey, or meddlesome. 3<
|specibus = jumpropekind
|modus = matching
|relations = {{RS quote|blueblood|Unnamed Cerulean}} - Roommate
|planet = Land of x and x
|likes = romance, writing, giving advice, 404, the color pink
|dislikes = romcoms
|aka = Venus
|creator = [[User:Onepeachymo|onepeachymo]]}}
165c3d17ab08556eca0aa65929b7a0d55cc5b553
Anicca Shivuh
0
8
1053
833
2023-11-04T16:57:31Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Anicca Shivuh''', also known by her [[Moonbounce]] tag, '''vulturesInfelicity''', is the creator of the chatroom in [[Re:Symphony]], though she does not exert any real control over it. Her sign is Lemino.
They created the server on 08/04/2021, initially as an online space to chill with her girlfriend, Anatta.
==Etymology==
Anicca's first name is derived from the concept of Aniccā, one of the three marks of existence in Buddhism that deals with impermanence. It's also a direct reference to the song Cotard's Solution (Anatta, Dukkha, Anicca) by Will Wood and the Tapeworms. Her last name, Shivuh, is derived from the Hindu God Shiva, known in part as the God of Destruction.
From her username, vulture is in respect to the animal and ties in to Ani's aspect. Infelicity means something is inappropriate, typically a remark, though archaically it has ties to unhappiness and misfortune.
==Biography==
===Early Life===
At some point before the server, Ani met and started dating Anatta. As well, at some unspecified time, made friends with a mysterious ally whose name is obscured as ▏█ ▒ ☲ ▓, and for the sake of ease, will be referred to as her Friend(capital F).
===Act 1===
Ani created the server as a place to hang out with her girlfriend while they were not physically together, upon the suggestion of her Friend. Incredibly shortly after Ana joined, the floodgates opened and random people started joining, with no way for them to leave nor for Ani to kick them. She took it in stride pretty well, and while not what she intended, quickly took to the new chaotic environment.
After playing a prank on one of the members by trying to convince them everyone in the chatroom were ghosts, Petrie mysteriously doxxed all of her information, and dm'd her cryptically saying that perhaps she really was dead. Not long after, a living but skeletal version of Ani appeared on their doorstep, sporting some funky yellow jamjams. She freaked out, and somehow coped hard enough until Ana was able to come check it out. Ani, Skeletani, and Ana played cards together, in which Skeletani destroyed them in every round, every game. When it's revealed that Skeletani can talk, Ani blows up on them for not revealing anything.
Ani did not participate in the party, as she was busy with Skeletani and Ana.
===Act 2===
[Pending.]
==Personality and Traits==
Anicca has a very complex and layered personality. She can be very hypocritical, and is largely disillusioned with life as a product of cynical depression from living on Alternia for 10 sweeps and a deep rooted dislike for who she is as a person. She puts forward an unaffected and apathetic front, masked heavily with annoying humor and scathing insults, with an apparent disinterest in anyone else's lives. She however, does care... she just has gone so long coping with life on Alternia by cutting off everyone else's well-being except Ana's that it's hard for her to get past those defense mechanisms. It's so much easier to laugh at other people's pain instead of help them with it. She has her own way of showing her affection though, as warped as it seems.
Ever since Skeletani appeared in their life, their anxiety levels have been through the roof. They find it hard to keep a handle on the things that stress them out the most, and whenever anything relating back to Skeletani gets broached in chat, she starts to panic. Skeletani questions her own mortality and confuses her reality in ways she doesn't know how to deal with. It doesn't help that Ana, pretty much her only support system, is often unreliable since the chatroom was created, and in the current arc has caused Ani to become a bit more resigned.
==Relationships==
=== Anatta Tereme ===
Anatta is Anicca's longtime girlfriend, though their exact relationship isn't entirely defined. They lay somewhere between Moirails and Matesprits, and they are incredibly comfortable there. The result is a strong relationship where they depend fairly heavily on each other, though Ani sees Anatta as so much more capable than them and can be overly dependent on her at times. They think the world of each other, and they come first on each other's lists. No one else matters, compared to each other.
===Skeletani===
Skeletani is the skeletal verison of Anicca that just appeared on her doorstep one day. Skeletani freaks Ani out to no end, and at first Ani reacted quite negatively to them, with a lot of misplaced frustration. Recently, they've started to get along a bit better, Ani having bought Skeletani their own phone to use, an older version that doesn't use a touchscreen.
==Skeletani==
Skeletani is a minor character in Re:Symphony. They have been around in the RP since 08/07/2021, but have yet to make an appearance in the chatroom, except for the one time they snuck on to Ani's account.
Not much is known about Skeletani. They were introduced to Anicca through Petrie, and initially, they could not talk. But as time passed, they slowly grew their motor and speaking abilities and now they can function fairly normally, though their voice is still a bit grating.
They have a volatile relationship with their lusus, a barkbeast that Ani refers to as Poodle Sis, because they are made up of bones. And you know what they say about giving a dog a bone. "Pl''ea''se '''god make''' her ''stop e''at'''in'''g m'''e''' ow ow o''w ow'' ow '''o'''w my fa'''ck'''i''ng b''one'''s ow'''."
[[File:Skeletal Prospit Anicca.png|thumb]]
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
c43e22885b8ed5699ce85ccdddacc50f3e39bb76
1055
1053
2023-11-04T17:04:16Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Anicca Shivuh''', also known by her [[Moonbounce]] tag, '''vulturesInfelicity''', is the creator of the chatroom in [[Re:Symphony]], though she does not exert any real control over it. Her sign is Lemino.
They created the server on 08/04/2021, initially as an online space to chill with her girlfriend, Anatta.
==Etymology==
Anicca's first name is derived from the concept of Aniccā, one of the three marks of existence in Buddhism that deals with impermanence. It's also a direct reference to the song Cotard's Solution (Anatta, Dukkha, Anicca) by Will Wood and the Tapeworms. Her last name, Shivuh, is derived from the Hindu God Shiva, known in part as the God of Destruction.
From her username, vulture is in respect to the animal and ties in to Ani's aspect. Infelicity means something is inappropriate, typically a remark, though archaically it has ties to unhappiness and misfortune.
==Biography==
===Early Life===
At some point before the server, Ani met and started dating Anatta. As well, at some unspecified time, made friends with a mysterious ally whose name is obscured as ▏█ ▒ ☲ ▓, and for the sake of ease, will be referred to as her Friend(capital F).
===Act 1===
Ani created the server as a place to hang out with her girlfriend while they were not physically together, upon the suggestion of her Friend. Incredibly shortly after Ana joined, the floodgates opened and random people started joining, with no way for them to leave nor for Ani to kick them. She took it in stride pretty well, and while not what she intended, quickly took to the new chaotic environment.
After playing a prank on one of the members by trying to convince them everyone in the chatroom were ghosts, Petrie mysteriously doxxed all of her information, and dm'd her cryptically saying that perhaps she really was dead. Not long after, a living but skeletal version of Ani appeared on their doorstep, sporting some funky yellow jamjams. She freaked out, and somehow coped hard enough until Ana was able to come check it out. Ani, Skeletani, and Ana played cards together, in which Skeletani destroyed them in every round, every game. When it's revealed that Skeletani can talk, Ani blows up on them for not revealing anything.
Ani did not participate in the party, as she was busy with Skeletani and Ana.
===Act 2===
[Pending.]
==Personality and Traits==
Anicca has a very complex and layered personality. She can be very hypocritical, and is largely disillusioned with life as a product of cynical depression from living on Alternia for 10 sweeps and a deep rooted dislike for who she is as a person. She puts forward an unaffected and apathetic front, masked heavily with annoying humor and scathing insults, with an apparent disinterest in anyone else's lives. She, however, does care... she just has gone so long coping with life on Alternia by cutting off everyone else's well-being except Ana's that it's hard for her to get past those defense mechanisms. It's so much easier to laugh at other people's pain instead of help them with it. She has her own way of showing her affection though, as warped as it seems. They are not very quick to anger, but when they're pissed off they become incredibly cold and blunt and will try to do their absolute best to hurt the feelings of whoever made them mad.
Ever since Skeletani appeared in their life, their anxiety levels have been through the roof. They find it hard to keep a handle on the things that stress them out the most, and whenever anything relating back to Skeletani gets broached in chat, she starts to panic. Skeletani questions her own mortality and confuses her reality in ways she doesn't know how to deal with. It doesn't help that Ana, pretty much her only support system, is often unreliable since the chatroom was created, and in the current arc has caused Ani to become a bit more resigned.
==Relationships==
=== Anatta Tereme ===
Anatta is Anicca's longtime girlfriend, though their exact relationship isn't entirely defined. They lay somewhere between Moirails and Matesprits, and they are incredibly comfortable there. The result is a strong relationship where they depend fairly heavily on each other, though Ani sees Anatta as so much more capable than them and can be overly dependent on her at times. They think the world of each other, and they come first on each other's lists. No one else matters, compared to each other.
===Skeletani===
Skeletani is the skeletal verison of Anicca that just appeared on her doorstep one day. Skeletani freaks Ani out to no end, and at first Ani reacted quite negatively to them, with a lot of misplaced frustration. Recently, they've started to get along a bit better, Ani having bought Skeletani their own phone to use, an older version that doesn't use a touchscreen.
==Skeletani==
Skeletani is a minor character in Re:Symphony. They have been around in the RP since 08/07/2021, but have yet to make an appearance in the chatroom, except for the one time they snuck on to Ani's account.
Not much is known about Skeletani. They were introduced to Anicca through Petrie, and initially, they could not talk. But as time passed, they slowly grew their motor and speaking abilities and now they can function fairly normally, though their voice is still a bit grating.
They have a volatile relationship with their lusus, a barkbeast that Ani refers to as Poodle Sis, because they are made up of bones. And you know what they say about giving a dog a bone. "Pl''ea''se '''god make''' her ''stop e''at'''in'''g m'''e''' ow ow o''w ow'' ow '''o'''w my fa'''ck'''i''ng b''one'''s ow'''."
[[File:Skeletal Prospit Anicca.png|thumb]]
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
fec46e0679d470bf424cd2bedadb1dee4f5636dc
Salang Lyubov
0
7
1056
806
2023-11-04T17:17:22Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Salang Lyubov''', better known as Venus from his [[Moonbounce]] tag, '''venusAmbassador''', is one of the many characters of [[Re:Symphony]].
Venus joined the chatroom on 08/11/2021, after finding a comment left on his romance advice forum.
==Etymology==
Salang's name is a Korean word for Love! His last name, Lyubov, is a Russian word for Love!
His username comes from the song Venus Ambassador by Bryan Scary and the Shredding Tears.
==Biography==
===Early Life===
Venus revealed that when he was younger, he was training to be a cloistered jade, but because he failed to pass a test at the end of his lessons, he was supposed to be culled and only escaped death due to another’s kindness. He was then assisted by a blueblood after he escaped the caverns, who he is roommates with today.
===Act 1===
Venus joined the chatroom a couple days after it began. He was recommended it randomly as a good source of romantic drama by a poster on his romance advice board. He got along well with the chat members, especially getting close to Ravi. He's very insulted on her behalf when the Teal Sign Twins assume the worst of her while she wasn't online to defend herself.
Venus was present at the Party, and got along very well with Calico, who gave him his number. Later, they had a date in which Venus enlisted the backup of Ravi and Venili, but nothing much came of it... though what happened between the two of them after that, the chatroom may never know...
===Act 2===
[Pending].
===Current===
Venus has been affected by the Skoozy Virus, though to what degree is unknown.
==Personality and Traits==
Venus is incredibly loyal. He thinks people who backstab and betray are the lowliest of cowards, and he absolutely hates bullies. He feels lots of emotions very easily, and expresses them just as easily. He's quick to anger, to tears, and to smiles.
Venus loves to write, but is very sensitive to criticism. He was hurt by Tennis once after sharing a dream he had, and has been hesitant to share anything personal writing wise since. Venus is a superfan of the musician 404, and listens to his music every day.
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
cf73ad6482c4f15f71819c97dac3d628f03bc306
1063
1056
2023-11-04T18:20:31Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Salang Lyubov''', better known as Venus from his [[Moonbounce]] tag, '''venusAmbassador''', is one of the many characters of [[Re:Symphony]].
Venus joined the chatroom on 08/11/2021, after finding a comment left on his romance advice forum.
==Etymology==
Salang's name is a Korean word for Love! His last name, Lyubov, is a Russian word for Love!
His username comes from the song Venus Ambassador by Bryan Scary and the Shredding Tears. Venus is the planet of Love!... and any deeper meaning you'll have to think through yourself.
==Biography==
===Early Life===
Venus revealed that when he was younger, he was training to be a cloistered jade, but because he failed to pass a test at the end of his lessons, he was supposed to be culled and only escaped death due to another’s kindness. He was then assisted by a blueblood after he escaped the caverns, who he is roommates with today.
===Act 1===
Venus joined the chatroom a couple days after it began. He was recommended it randomly as a good source of romantic drama by a poster on his romance advice board. He got along well with the chat members, especially getting close to Ravi. He's very insulted on her behalf when the Teal Sign Twins assume the worst of her while she wasn't online to defend herself.
Venus was present at the Party, and got along very well with Calico, who gave him his number. Later, they had a date in which Venus enlisted the backup of Ravi and Venili, but nothing much came of it... though what happened between the two of them after that, the chatroom may never know...
===Act 2===
[Pending].
===Current===
Venus has been affected by the Skoozy Virus, though to what degree is unknown.
==Personality and Traits==
Venus is incredibly loyal. He thinks people who backstab and betray are the lowliest of cowards, and he absolutely hates bullies. He feels lots of emotions very easily, and expresses them just as easily. He's quick to anger, to tears, and to smiles.
Venus loves to write, but is very sensitive to criticism. He was hurt by Tennis once after sharing a dream he had, and has been hesitant to share anything personal writing wise since. Venus is a superfan of the musician 404, and listens to his music every day.
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
8cce579734505005d6edf1f954763d777316fbe0
User:Mordimoss
2
531
1059
2023-11-04T17:26:44Z
Onepeachymo
2
Created page with "Mordimoss is our good friend Mordecai who loves to roleplay :)"
wikitext
text/x-wiki
Mordimoss is our good friend Mordecai who loves to roleplay :)
3f042f8806778b628f5700b202833d37411b026c
User talk:Onepeachymo
3
532
1061
2023-11-04T17:28:51Z
Onepeachymo
2
Created page with "yeah the red link was bother me too ok"
wikitext
text/x-wiki
yeah the red link was bother me too ok
7294c565f55d340cea5d489dee2717047307fffa
Awoole Fenrir/Infobox
0
455
1062
1027
2023-11-04T17:36:04Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Awoole Fenrir
|symbol = [[File:Taurmini.png|32px]]
|symbol2 = [[File:Aspect_Doom.png|32px]]
|complex= <tabber>
|-| Default= [[File:Awoole_Fenrir.png]]
|-| Shirtless= [[File:Awoole Fenrir Shirtless.png]]
</tabber>
|caption = {{RS quote|Bronzeblood|Woof. What}}
|intro = 4/21/22
|title = {{Classpect|Doom|Rogue}}
|age = {{Age|8.5}}
|gender = He/They (Nonbinary-Transmasc)
|status = Alive
|screenname = tinkeringLycan
|style = Begins every sentence with an onomatopoeia, such as Woof, Arf, Bark, etc. Capitalizes "W"s.
|specibus = Toolkind
|modus = Tool box
|relations = [[Anyaru_Servus|{{RS quote|blueblood|Anyaru Servus}}]] - [[Kismesis|Kismesis]] </br>
{{RS quote|jadeblood|Esceia}} - [[Matesprits|Matesprit]]
|planet = Land of Steel and Caves
|likes = Fellow lowbloods, engineering, wolves, punk music,
|dislikes = Highbloods
|aka = {{RS quote|jadeblood|Puppy}} (Esceia)
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
5a40cc4d6f640bb9b47f977689d95d50648bc89a
Siette Aerien
0
6
1065
1001
2023-11-04T19:03:49Z
HowlingHeretic
3
wikitext
text/x-wiki
{{DISPLAYTITLE:Siette Aerien}}
{{/Infobox}}
'''Siette Aerien''', also known by her [[Moonbounce]] handle {{RS quote|purpleblood|balefulAcrobat}} , is one of the [[troll]]s in ''[[Re:Symphony]]''. Her sign is true Capricorn, and she is a Witch of Rage. She is an aerial silk dancer.
Siette joined the server on 8/20/2021. She found a piece of paper with the link written on it tucked into her silks.
==Etymology==
Siette's first name comes from the word, "slette," which means to eradicate, or remove. Originally, her name was Slette, but after a misread, the name was changed to Siette for better readability. Her last name, Aerien, is an altered version of aerial, which is in reference to her aerial silk performance in the circus.
Siette's chat handle, balefulAcrobat, means "killer clown." Baleful, in this context, is used with the definition of, "Harmful or malignant in intent or effect. " Acrobat here is used with the in-universe context of most- if not all -circus performers being Purple bloods. Siette, while efficient, is not known for her subtlety.
==Biography==
===Early Life===
Siette was adopted by a troll only known as the Priestess, following her discovering her and her lusus. Siette's lusus, affectionately named Lily, was beaten and bloody, presumably found after a battle defending grub-Siette. Siette was raised in the church, under the close tutelage of her Priestess. Siette was taught the ways of the Mirthful Messiahs, and was trained to be an efficient killer. Siette performed part-time in a circus as well, as an [https://en.wikipedia.org/wiki/Aerial_silk aerial silk dancer]
===Act 1===
Siette joined the chatroom out of boredom, upon finding the link written on a slip of paper that had been tucked into her silks. Siette found entertainment in the chatroom, finding the other members to be funny enough for her. In the early days, Siette was summoned by her Priestess for a sacrifice. Siette used her psionics to mind-control another troll, simply named Red, and bring him to the Church's execution chamber. She killed him at the behest of her Priestess, though she's shown to feel some remorse afterwards.
Siette enjoyed the chatroom, consistently engaging when bored. Siette, at this point in time, is still a firm believer of the Church, and faces opposition in her fellow clowns, Harfil and Ravi. She does not get off on the good foot with them, and initially starts out disliking Ravi. This, however, did not stop her from inquiring about what she might have done that got Looksi and Barise's attention, after the two tealbloods were talking about Ravi in the main chatroom.
Siette rampantly flirts with Mabuya, finding her key-smashing and blushing emoticons to be ample reward for her pursuit. Skoozy openly shares Mabuya's name with the chatroom, and Siette threatens him in DMs in turn. Siette comforts Mabuya, and Mabuya asks Siette to tell her if she ever does anything wrong. Siette says, {{RS quote|purpleblood|i dont 533 that 3v3r b3ing a po55ibility, but of cour53.}}
When Guppie, Venus, Ambysa, and Looksi went to meet Myrkri, she tagged along for entertainment. Upon Myrkri attacking Guppie, Siette hit Myrkri in her wrist with her whip. When that didn't deter her, they charged and tackled Mykri away from Guppie, restraining them so the others could ask questions. Siette now regrets saving Guppie.
Siette attends the party along with the bulk of the chatroom. Siette flirts with Mabuya for a moment in front of the venue, mingling with Mavrik and Supyne as well, before heading in and proceeding to zone out extremely hard. Siette had a sopor slime pie before entering the party, and missed a lot of it. As she comes to, she witnesses Clarity entering the party, and excitedly messages Mabuya about it. She eventually heads back out and asks Mabuya for a dance, and Mabuya acquiesces, taking Siette's hand and following her inside. The two have a nice waltz. They both say they want to continue seeing one another.
As the two dance, Ravi and Calico also begin to dance closer, discussing their distaste of the church in Siette's earshot. Upon seeing a desperate look from Mavrik, and hearing the conversation in earnest herself, she sends Mabuya outside with Mavrik. Calico quickly absconds. Siette and Ravi begin to argue, and it quickly devolves into a fight between the two. They both get decent licks in, and before Siette can get a real leg-up in the fight by stomping Ravi's head, Venili steps in and not only stops Siette's psionics, but knocks her out as well.
Siette awakens at the sound of a crash, and absconds from the party. She whistles from her limo, and as they drive away she things to herself that the party was only worth it for Mabuya.
===Act 2===
==Personality and Traits==
==Relationships==
* [[Mabuya_Arnava|Mabuya Arnava]] is Siette's matesprit. Siette first reached out to Mabuya after [[Skoozy_Mcribb|Skoozy]] had antagonized her in the main chatroom. She offered protect her from people being rude to her, she would {{RS quote|purpleblood|5hut 3m up clown 5tyl3.}} They met in person at Guppie's Party, and Siette had Mavrik take Mabuya outside so she wouldn't see Siette fight with [[Ravial_Orande|Ravi]]. After a various series of courtship through DMs and in the main chatroom, Siette invited Mabuya over to her hive. Siette had baked a strawberry cake for Mabuya, and written {{RS quote|purpleblood|mabby will you b3 my mat35prit}} on it in frosting. The two have been matesprits since.
* [[Anyaru_Servus|Anyaru Servus]] is Siette's personal assistant. While Annie has flushed feelings for Siette, Siette herself views their relationship as purely transactional. Annie completes Siette's requests, and she pays her in turn. Siette does not consider the two to be friends.
==Trivia==
==Gallery==
<gallery widths=200px heights=150px>
File:Siette_Aerien_Fancy.png|The outfit Siette wore to [[Guppie_Suamui|{{RS quote|violetblood|Guppie Suami's}}]] party.
File:Siette_Aerien_Performance.png|Siette's performance outfit
File:Siette_Aerien_Prospit.png|Siette's prospit outfit
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
23a298019d6df46c0cd47eabe941a0768fc05d51
1071
1065
2023-11-06T00:16:18Z
HowlingHeretic
3
wikitext
text/x-wiki
{{DISPLAYTITLE:Siette Aerien}}
{{/Infobox}}
'''Siette Aerien''', also known by her [[Moonbounce]] handle {{RS quote|purpleblood|balefulAcrobat}} , is one of the [[troll]]s in ''[[Re:Symphony]]''. Her sign is true Capricorn, and she is a Witch of Rage. She is an aerial silk dancer.
Siette joined the server on 8/20/2021. She found a piece of paper with the link written on it tucked into her silks.
==Etymology==
Siette's first name comes from the word, "slette," which means to eradicate, or remove. Originally, her name was Slette, but after a misread, the name was changed to Siette for better readability. Her last name, Aerien, is an altered version of aerial, which is in reference to her aerial silk performance in the circus.
Siette's chat handle, balefulAcrobat, means "killer clown." Baleful, in this context, is used with the definition of, "Harmful or malignant in intent or effect. " Acrobat here is used with the in-universe context of most- if not all -circus performers being Purple bloods. Siette, while efficient, is not known for her subtlety.
==Biography==
===Early Life===
Siette was adopted by a troll only known as the Priestess, following her discovering her and her lusus. Siette's lusus, affectionately named Lily, was beaten and bloody, presumably found after a battle defending grub-Siette. Siette was raised in the church, under the close tutelage of her Priestess. Siette was taught the ways of the Mirthful Messiahs, and was trained to be an efficient killer. Siette performed part-time in a circus as well, as an [https://en.wikipedia.org/wiki/Aerial_silk aerial silk dancer]
===Act 1===
Siette joined the chatroom out of boredom, upon finding the link written on a slip of paper that had been tucked into her silks. Siette found entertainment in the chatroom, finding the other members to be funny enough for her. In the early days, Siette was summoned by her Priestess for a sacrifice. Siette used her psionics to mind-control another troll, simply named Red, and bring him to the Church's execution chamber. She killed him at the behest of her Priestess, though she's shown to feel some remorse afterwards.
Siette enjoyed the chatroom, consistently engaging when bored. Siette, at this point in time, is still a firm believer of the Church, and faces opposition in her fellow clowns, Harfil and Ravi. She does not get off on the good foot with them, and initially starts out disliking Ravi. This, however, did not stop her from inquiring about what she might have done that got Looksi and Barise's attention, after the two tealbloods were talking about Ravi in the main chatroom.
Siette rampantly flirts with Mabuya, finding her key-smashing and blushing emoticons to be ample reward for her pursuit. Skoozy openly shares Mabuya's name with the chatroom, and Siette threatens him in DMs in turn. Siette comforts Mabuya, and Mabuya asks Siette to tell her if she ever does anything wrong. Siette says, {{RS quote|purpleblood|i dont 533 that 3v3r b3ing a po55ibility, but of cour53.}}
When Guppie, Venus, Ambysa, and Looksi went to meet Myrkri, she tagged along for entertainment. Upon Myrkri attacking Guppie, Siette hit Myrkri in her wrist with her whip. When that didn't deter her, they charged and tackled Mykri away from Guppie, restraining them so the others could ask questions. Siette now regrets saving Guppie.
Siette attends the party along with the bulk of the chatroom. Siette flirts with Mabuya for a moment in front of the venue, mingling with Mavrik and Supyne as well, before heading in and proceeding to zone out extremely hard. Siette had a sopor slime pie before entering the party, and missed a lot of it. As she comes to, she witnesses Clarity entering the party, and excitedly messages Mabuya about it. She eventually heads back out and asks Mabuya for a dance, and Mabuya acquiesces, taking Siette's hand and following her inside. The two have a nice waltz. They both say they want to continue seeing one another.
As the two dance, Ravi and Calico also begin to dance closer, discussing their distaste of the church in Siette's earshot. Upon seeing a desperate look from Mavrik, and hearing the conversation in earnest herself, she sends Mabuya outside with Mavrik. Calico quickly absconds. Siette and Ravi begin to argue, and it quickly devolves into a fight between the two. They both get decent licks in, and before Siette can get a real leg-up in the fight by stomping Ravi's head, Venili steps in and not only stops Siette's psionics, but knocks her out as well.
Siette awakens at the sound of a crash, and absconds from the party. She whistles from her limo, and as they drive away she thinks to herself that the party was only worth it for Mabuya.
===Act 2===
==Personality and Traits==
==Relationships==
* [[Mabuya_Arnava|Mabuya Arnava]] is Siette's matesprit. Siette first reached out to Mabuya after [[Skoozy_Mcribb|Skoozy]] had antagonized her in the main chatroom. She offered protect her from people being rude to her, she would {{RS quote|purpleblood|5hut 3m up clown 5tyl3.}} They met in person at Guppie's Party, and Siette had Mavrik take Mabuya outside so she wouldn't see Siette fight with [[Ravial_Orande|Ravi]]. After a various series of courtship through DMs and in the main chatroom, Siette invited Mabuya over to her hive. Siette had baked a strawberry cake for Mabuya, and written {{RS quote|purpleblood|mabby will you b3 my mat35prit}} on it in frosting. The two have been matesprits since.
* [[Anyaru_Servus|Anyaru Servus]] is Siette's personal assistant. While Annie has flushed feelings for Siette, Siette herself views their relationship as purely transactional. Annie completes Siette's requests, and she pays her in turn. Siette does not consider the two to be friends.
==Trivia==
==Gallery==
<gallery widths=200px heights=150px>
File:Siette_Aerien_Fancy.png|The outfit Siette wore to [[Guppie_Suamui|{{RS quote|violetblood|Guppie Suami's}}]] party.
File:Siette_Aerien_Performance.png|Siette's performance outfit
File:Siette_Aerien_Prospit.png|Siette's prospit outfit
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
0fd27a372581ee488f11add8d3055769b567a547
File:Borfix sprite.png
6
533
1066
2023-11-04T19:25:20Z
Mordimoss
4
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Borfix Mopolb/Infobox
0
521
1067
1014
2023-11-04T19:36:59Z
Mordimoss
4
wikitext
text/x-wiki
{{Character Infobox
|name = Borfix Mopolb
|symbol = [[File:Taurpio.png|32px]]
|symbol2 = [[File:Taurpio.png|32px]]
|complex = [[File:Borfix_sprite.png]]
|caption = {{RS quote|bronzeblood| ermm...#light mode??}}
|intro = day they joined server
|title = {{Classpect|Light|Page}}
|age = {{Age|7}}
|gender = She/They (demigirl)
|status = Alive
|screenname = homespunFanatic
|style = she uses a # before certain buzzwords or whatever word she wants to emphasize. lots of emojis, particularly skull emojis.
|specibus = Knifekind
|modus = Polaroid
|relations = ¯\_(ツ)_/¯
|planet = ¯\_(ツ)_/¯
|likes = social media, tea
|dislikes = guppie
|aka = Barfix (multiple people)
{{RS quote|bronzeblood|Newbie}} ([[Ponzii|ponzii]])
|creator = Mordimoss}}
937d9e0d7eedc95a96943ddc2124e86b7c992f99
File:Keymim sprite.png
6
534
1068
2023-11-04T19:41:40Z
Mordimoss
4
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Keymim Idrila/Infobox
0
522
1069
1016
2023-11-04T19:48:45Z
Mordimoss
4
wikitext
text/x-wiki
{{Character Infobox
|name = Keymim Idrila
|symbol = [[File:Scormini.png|32px]]
|symbol2 = [[File:Scormini.png|32px]]
|complex = [[File:Keymim_sprite.png]]
|caption = {{RS quote|cobaltblood| (ponzii kill yourself.)}}
|intro = day they joined server
|title = {{Classpect|Doom|Mage}}
|age = {{Age|10}}
|gender = They/he (Nonbinary)
|status = Alive
|screenname = taciturnExegete
|style = types exclusively in lowercase, always within parenthesis, uses the (._.) face a lot
|specibus = Crowbarkind
|modus = Poker
|relations = Ulisii - EX [[Kismesis]]
|planet = ¯\_(ツ)_/¯
|likes = baked goods, reading, quiet
|dislikes = the server
|aka = {{RS quote|bronzeblood|lock}} (ponzii)
|creator = Mordimoss}}
b346c937fb13d58580a394feeb868b1b1af6cff3
Quadrants
0
515
1070
1035
2023-11-05T05:12:24Z
Mordimoss
4
/* Past Relationships */
wikitext
text/x-wiki
''These takes are brought to you in collaboration between the homestuck wiki and Peachy's own personal opinions on quadrants.''
Quadrants make up the system of categorization for romance utilized by the [[Trolls]] on Alternia.
Troll romance is much more complicated than Human romance. While Human romance could be put into one category, Troll romance is split into four: the Flushed Quadrant, the Caliginous Quadrant, the Pale Quadrant, and the Ashen Quadrant. "Romance" is less black and white on Alternia, acting more as an umbrella term to categorize the complicated way Trolls connect through relationships, and includes quadrants that in human standards would more likely be described as "Platonic".
Troll romance is in part about the balance of emotions in a society that is incredibly geared towards violence. It's a way to stabilize a civilization that was groomed into a hierarchy that promotes oppression and needless death to those beneath you. It cultivates small pockets where trolls take care of each other when building up a community is heavily against the odds. The other part is, naturally, for reproduction. Reproduction is much like how it is in Homestuck proper but without the "Supply or Die" aspect of the drones collecting genetic material. Relationships are expected to be reported on the Troll Census and thus there you are enlisted to provide for the brood. That is all I will say on the matter. That is all anyone should say on the matter.
== Bifurcation ==
While Troll romance is split into four different quadrants, they can also be split into halves and categorized further. The top half of the Quadrants are recognized as Red Romance and the bottom half as Black Romance; the left side Concupiscent and the right side Conciliatory.
=== Red Romance ===
Strongly rooted in positive emotions. The Flushed and Pale Quadrants make up Red Romance, or Redrom.
=== Black Romance ===
Strongly rooted in negative emotions. The Caliginous and Ashen Quadrants make up Black Romance, or Blackrom.
=== Concupiscent ===
Relationships that are more so associated with reproduction. The Flushed and Caliginous Quadrants are Concupiscent.
=== Conciliatory ===
Relationships that are more about regulating emotions, likened to platonic relationships. The Pale and Ashen Quadrants are Conciliatory.
== Quadrants ==
=== Flushed ===
The Flushed Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Matesprits", and it can be referred to as a "Matespritship." The intent behind Matesprits are primarily rooted in positive emotions and the Flushed Quadrant is the closest of the four romances to Human romance. There's really not much more to be said on the matter. Love. You guys get it.
Matespritship is represented by a heart and the color red. In text, it can be recognized as ♥ or <3.
=== Pale ===
The Pale Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Conciliatory" bifurcation. Two trolls in this Quadrant are called "Moirails", and can be referred to as a "Moirallegience." Moirails are the platonic ideal of a soulmate in Alternian society. It's about finding someone that balances your emotional profile, and completes you, in a way. It is finding someone you can wholly entrust and bare yourself to, and get that same vulnerability back. You keep each other in check and help maintain one another's emotional well-being, though in cases between a lowblood and highblood, the support of a highblood Moirail can be a deterrent to those who may otherwise harm the lowblood, and in which case also maintains their physical well-being.
Moirallegience is represented by a diamond and the color pink. In text, it can be recognized as ♦ or <>.
=== Caliginous ===
The Caliginous Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Kismesis", and can be referred to as a "Kismesissitude." Kismesissitude is based on a mix of attraction and annoyance, likened to a sense of rivalry. It's about the pitch feelings that are cultivated by the frustration from thinking someone is just the Absolute Fucking Worst, but still being able to see redeeming qualities in them that, if not for the bad qualities, would make that person maybe even a bit alright. Kismesissitude should not be thought of as inherently toxic just because it's tied with primarily negative feelings; if healthy, a Kismesissitude is a beneficial outlet for Trolls more violent tendencies that works off steam in a setting where you don't actually want to kill the other person. An unhealthy Kismesissitude can be incredibly dangerous for the mental well-being of a troll, however, and in that situation an Auspistice would be needed to step in.
Kismesissitude is represented by a spade and the color black. In text, it can be recognized as ♠ or <3<.
=== Ashen ===
The Ashen Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Conciliatory" bifurcation. There are uniquely three trolls that participate in this Quadrant compared to the usual two, with the third troll who is regulating the other two being called the "Auspistice", and can be referred to as "Auspisticism". Auspisticism comes about when two trolls are in a particularly contentious relationship and need a mediator. This is most often found between two trolls who have not yet entered a Kismesissitude, and of which the intended goal it to keep them out of one. This is because the nature of Trolls on Alternia leads to many feuds between Trolls that left unchecked would lead to an over saturation of Kismeses and black infidelity. It can also be used to regulate a Kismesissitude that, without interference, could become unhealthy for the trolls in the relationship, or affect their relationships outside of it. In the case of vacillations, an Auspistice prevents two trolls from vacillating and committing infidelities with their other partners, if any.
Auspisticism is represented by a club and the color gray. In text, it can be recognized as ♣ or o8<.
== Quadrant Vacillation ==
There are many situations in which the complex feelings that accompany a polyamorous Quadrant system leads to a transmutative and malleable series of vacillations.
If two trolls enter an uncertain relationship where one party may feel flushed, and the other caliginous. One party will switch to match the other, but this will be followed up by many switches back and forth, a romantic tug-of-war. An Auspistice can be a very important third party in regulating a vacillation and keeping a romance stably in one Quadrant.
If you find any of this confusing, so do Trolls, as "[https://www.homestuck.com/story/2400 [they<nowiki>]</nowiki> exist in a state of almost perpetual confusion and generally have no idea what the hell is going on]."
== Canon Relationships ==
=== Matesprits ===
* [[Barise Klipse|Barise]] and [[Paluli Anriqi|Paluli]]
* [[Mabuya Arnava|Mabuya]] and [[Siette Aerien|Siette]]
* [[Awoole Fenrir|Awoole]] and [[Esceia]]
* [[Harfil Myches|Harfil]] and [[Venrot Fellix|Venrot]]
* [[Shikki Raynor|Shikki]] and [[Yolond Jasper|Yolond]]
Known Flushed Crushes:
* [[Anyaru Servus|Anyaru]] on [[Siette Aerien|Siette]]
=== Moirails ===
* [[Barise Klipse|Barise]] and [[Plaxii Arouet|Plaxii]]
* [[Patiya Sirtse|Patiya]] and [[Venili Habere|Venili]]
* [[Modrey Chienn|Modrey]] and [[Ravial Orande|Ravial]]
* [[Mabuya Arnava|Mabuya]] and [[Mavrik Notezz|Mavrik]]
Known Pale Crushes:
* [[Venrot Fellix|Venrot]] on [[Ponzii]]
=== Auspistices ===
* [[Patiya Sirtse|Patiya]] for [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]
=== Kismeses ===
* [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]. [[Patiya Sirtse|Patiya]] is their Auspistice.
* [[Awoole Fenrir|Awoole]] and [[Anyaru Servus|Anyaru]]
Known Caliginous Crushes:
* [[Knight Galfry|Knight]] on [[Aquett Aghara|Aquett]]
=== Vacillations/Exceptions ===
* [[Anatta Tereme|Anatta]] and [[Anicca Shivuh|Anicca]]. Their feelings are complex and they fall somewhere between Matesprits/Moirails. They call each other girlfriends.
=== Past Relationships ===
* [[Arsene]] and [[Looksi Gumshu|Looksi]]. Matesprits/Moirails/Kismeses.
* [[Cherie]] and [[Ponzii]]
* [[Guppie Suamui|Guppie]] and [[Jeremy]]
8a72adb0b1dbfcf227e9fad3ba000f709c4fd9ae
1076
1070
2023-11-06T07:10:03Z
Onepeachymo
2
wikitext
text/x-wiki
''These takes are brought to you in collaboration between the homestuck wiki and Peachy's own personal opinions on quadrants.''
[[File:Quadrants_Basic.gif|thumb|right]]
Quadrants make up the system of categorization for romance utilized by the [[Trolls]] on Alternia.
Troll romance is much more complicated than Human romance. While Human romance could be put into one category, Troll romance is split into four: the Flushed Quadrant, the Caliginous Quadrant, the Pale Quadrant, and the Ashen Quadrant. "Romance" is less black and white on Alternia, acting more as an umbrella term to categorize the complicated way Trolls connect through relationships, and includes quadrants that in human standards would more likely be described as "Platonic".
Troll romance is in part about the balance of emotions in a society that is incredibly geared towards violence. It's a way to stabilize a civilization that was groomed into a hierarchy that promotes oppression and needless death to those beneath you. It cultivates small pockets where trolls take care of each other when building up a community is heavily against the odds. The other part is, naturally, for reproduction. Reproduction is much like how it is in Homestuck proper but without the "Supply or Die" aspect of the drones collecting genetic material. Relationships are expected to be reported on the Troll Census and thus there you are enlisted to provide for the brood. That is all I will say on the matter. That is all anyone should say on the matter.
== Bifurcation ==
While Troll romance is split into four different quadrants, they can also be split into halves and categorized further. The top half of the Quadrants are recognized as Red Romance and the bottom half as Black Romance; the left side Concupiscent and the right side Conciliatory.
=== Red Romance ===
Strongly rooted in positive emotions. The Flushed and Pale Quadrants make up Red Romance, or Redrom.
[[File:Quadrants_bifurcation.gif|thumb|right]]
=== Black Romance ===
Strongly rooted in negative emotions. The Caliginous and Ashen Quadrants make up Black Romance, or Blackrom.
=== Concupiscent ===
Relationships that are more so associated with reproduction. The Flushed and Caliginous Quadrants are Concupiscent.
=== Conciliatory ===
Relationships that are more about regulating emotions, likened to platonic relationships. The Pale and Ashen Quadrants are Conciliatory.
== Quadrants ==
=== Flushed ===
The Flushed Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Matesprits", and it can be referred to as a "Matespritship." The intent behind Matesprits are primarily rooted in positive emotions and the Flushed Quadrant is the closest of the four romances to Human romance. There's really not much more to be said on the matter. Love. You guys get it.
Matespritship is represented by a heart and the color red. In text, it can be recognized as ♥ or <3.
=== Pale ===
The Pale Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Conciliatory" bifurcation. Two trolls in this Quadrant are called "Moirails", and can be referred to as a "Moirallegience." Moirails are the platonic ideal of a soulmate in Alternian society. It's about finding someone that balances your emotional profile, and completes you, in a way. It is finding someone you can wholly entrust and bare yourself to, and get that same vulnerability back. You keep each other in check and help maintain one another's emotional well-being, though in cases between a lowblood and highblood, the support of a highblood Moirail can be a deterrent to those who may otherwise harm the lowblood, and in which case also maintains their physical well-being.
Moirallegience is represented by a diamond and the color pink. In text, it can be recognized as ♦ or <>.
=== Caliginous ===
The Caliginous Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Kismesis", and can be referred to as a "Kismesissitude." Kismesissitude is based on a mix of attraction and annoyance, likened to a sense of rivalry. It's about the pitch feelings that are cultivated by the frustration from thinking someone is just the Absolute Fucking Worst, but still being able to see redeeming qualities in them that, if not for the bad qualities, would make that person maybe even a bit alright. Kismesissitude should not be thought of as inherently toxic just because it's tied with primarily negative feelings; if healthy, a Kismesissitude is a beneficial outlet for Trolls more violent tendencies that works off steam in a setting where you don't actually want to kill the other person. An unhealthy Kismesissitude can be incredibly dangerous for the mental well-being of a troll, however, and in that situation an Auspistice would be needed to step in.
Kismesissitude is represented by a spade and the color black. In text, it can be recognized as ♠ or <3<.
=== Ashen ===
The Ashen Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Conciliatory" bifurcation. There are uniquely three trolls that participate in this Quadrant compared to the usual two, with the third troll who is regulating the other two being called the "Auspistice", and can be referred to as "Auspisticism". Auspisticism comes about when two trolls are in a particularly contentious relationship and need a mediator. This is most often found between two trolls who have not yet entered a Kismesissitude, and of which the intended goal it to keep them out of one. This is because the nature of Trolls on Alternia leads to many feuds between Trolls that left unchecked would lead to an over saturation of Kismeses and black infidelity. It can also be used to regulate a Kismesissitude that, without interference, could become unhealthy for the trolls in the relationship, or affect their relationships outside of it. In the case of vacillations, an Auspistice prevents two trolls from vacillating and committing infidelities with their other partners, if any.
Auspisticism is represented by a club and the color gray. In text, it can be recognized as ♣ or o8<.
== Quadrant Vacillation ==
[[File:Quadrants_Vacillation.gif|thumb|right]]
There are many situations in which the complex feelings that accompany a polyamorous Quadrant system leads to a transmutative and malleable series of vacillations.
If two trolls enter an uncertain relationship where one party may feel flushed, and the other caliginous. One party will switch to match the other, but this will be followed up by many switches back and forth, a romantic tug-of-war. An Auspistice can be a very important third party in regulating a vacillation and keeping a romance stably in one Quadrant.
Relationships where one quadrants vacillates to another, if that quadrant is already filled, the troll's other quadrant is forced to flip as well. This can set off a domino effect between all troll's involved quadrants.
If you find any of this confusing, so do Trolls, as "[https://www.homestuck.com/story/2400 [they<nowiki>]</nowiki> exist in a state of almost perpetual confusion and generally have no idea what the hell is going on]."
== Canon Relationships ==
=== Matesprits ===
* [[Barise Klipse|Barise]] and [[Paluli Anriqi|Paluli]]
* [[Mabuya Arnava|Mabuya]] and [[Siette Aerien|Siette]]
* [[Awoole Fenrir|Awoole]] and [[Esceia]]
* [[Harfil Myches|Harfil]] and [[Venrot Fellix|Venrot]]
* [[Shikki Raynor|Shikki]] and [[Yolond Jasper|Yolond]]
Known Flushed Crushes:
* [[Anyaru Servus|Anyaru]] on [[Siette Aerien|Siette]]
=== Moirails ===
* [[Barise Klipse|Barise]] and [[Plaxii Arouet|Plaxii]]
* [[Patiya Sirtse|Patiya]] and [[Venili Habere|Venili]]
* [[Modrey Chienn|Modrey]] and [[Ravial Orande|Ravial]]
* [[Mabuya Arnava|Mabuya]] and [[Mavrik Notezz|Mavrik]]
Known Pale Crushes:
* [[Venrot Fellix|Venrot]] on [[Ponzii]]
=== Auspistices ===
* [[Patiya Sirtse|Patiya]] for [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]
=== Kismeses ===
* [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]. [[Patiya Sirtse|Patiya]] is their Auspistice.
* [[Awoole Fenrir|Awoole]] and [[Anyaru Servus|Anyaru]]
Known Caliginous Crushes:
* [[Knight Galfry|Knight]] on [[Aquett Aghara|Aquett]]
=== Vacillations/Exceptions ===
* [[Anatta Tereme|Anatta]] and [[Anicca Shivuh|Anicca]]. Their feelings are complex and they fall somewhere between Matesprits/Moirails. They call each other girlfriends.
=== Past Relationships ===
* [[Arsene]] and [[Looksi Gumshu|Looksi]]. Matesprits/Moirails/Kismeses.
* [[Cherie]] and [[Ponzii]]
* [[Guppie Suamui|Guppie]] and [[Jeremy]]
0f610f27e2e67a83050dce23f619d0b1abc1d40d
1081
1076
2023-11-06T07:48:54Z
Onepeachymo
2
wikitext
text/x-wiki
''These takes are brought to you in collaboration between the homestuck wiki and Peachy's own personal opinions on quadrants.''
[[File:Quadrants_Basic.gif|thumb|right]]
Quadrants make up the system of categorization for romance utilized by the [[Trolls]] on Alternia.
Troll romance is much more complicated than Human romance. While Human romance could be put into one category, Troll romance is split into four: the Flushed Quadrant, the Caliginous Quadrant, the Pale Quadrant, and the Ashen Quadrant. "Romance" is less black and white on Alternia, acting more as an umbrella term to categorize the complicated way Trolls connect through relationships, and includes quadrants that in human standards would more likely be described as "Platonic".
Troll romance is in part about the balance of emotions in a society that is incredibly geared towards violence. It's a way to stabilize a civilization that was groomed into a hierarchy that promotes oppression and needless death to those beneath you. It cultivates small pockets where trolls take care of each other when building up a community is heavily against the odds. The other part is, naturally, for reproduction. Reproduction is much like how it is in Homestuck proper but without the "Supply or Die" aspect of the drones collecting genetic material. Relationships are expected to be reported on the Troll Census and thus there you are enlisted to provide for the brood. That is all I will say on the matter. That is all anyone should say on the matter.
== Bifurcation ==
While Troll romance is split into four different quadrants, they can also be split into halves and categorized further. The top half of the Quadrants are recognized as Red Romance and the bottom half as Black Romance; the left side Concupiscent and the right side Conciliatory.
=== Red Romance ===
Strongly rooted in positive emotions. The Flushed and Pale Quadrants make up Red Romance, or Redrom.
[[File:Quadrants_bifurcation.gif|thumb|right]]
=== Black Romance ===
Strongly rooted in negative emotions. The Caliginous and Ashen Quadrants make up Black Romance, or Blackrom.
=== Concupiscent ===
Relationships that are more so associated with reproduction. The Flushed and Caliginous Quadrants are Concupiscent.
=== Conciliatory ===
Relationships that are more about regulating emotions, likened to platonic relationships. The Pale and Ashen Quadrants are Conciliatory.
== Quadrants ==
[[File:Quadrant_Heart.gif|thumb|left]]
=== Flushed ===
The Flushed Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Matesprits", and it can be referred to as a "Matespritship." The intent behind Matesprits are primarily rooted in positive emotions and the Flushed Quadrant is the closest of the four romances to Human romance. There's really not much more to be said on the matter. Love. You guys get it.
Matespritship is represented by a heart and the color red. In text, it can be recognized as ♥ or <3.
[[File:Quadrants_Diamond.gif|thumb|right]]
=== Pale ===
The Pale Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Conciliatory" bifurcation. Two trolls in this Quadrant are called "Moirails", and can be referred to as a "Moirallegience." Moirails are the platonic ideal of a soulmate in Alternian society. It's about finding someone that balances your emotional profile, and completes you, in a way. It is finding someone you can wholly entrust and bare yourself to, and get that same vulnerability back. You keep each other in check and help maintain one another's emotional well-being, though in cases between a lowblood and highblood, the support of a highblood Moirail can be a deterrent to those who may otherwise harm the lowblood, and in which case also maintains their physical well-being.
Moirallegience is represented by a diamond and the color pink. In text, it can be recognized as ♦ or <>.
[[File:Quadrant_Spade.gif|thumb|left]]
=== Caliginous ===
The Caliginous Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Kismesis", and can be referred to as a "Kismesissitude." Kismesissitude is based on a mix of attraction and annoyance, likened to a sense of rivalry. It's about the pitch feelings that are cultivated by the frustration from thinking someone is just the Absolute Fucking Worst, but still being able to see redeeming qualities in them that, if not for the bad qualities, would make that person maybe even a bit alright. Kismesissitude should not be thought of as inherently toxic just because it's tied with primarily negative feelings; if healthy, a Kismesissitude is a beneficial outlet for Trolls more violent tendencies that works off steam in a setting where you don't actually want to kill the other person. An unhealthy Kismesissitude can be incredibly dangerous for the mental well-being of a troll, however, and in that situation an Auspistice would be needed to step in.
Kismesissitude is represented by a spade and the color black. In text, it can be recognized as ♠ or <3<.
[[File:Quadrants_Club.gif|thumb|right]]
=== Ashen ===
The Ashen Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Conciliatory" bifurcation. There are uniquely three trolls that participate in this Quadrant compared to the usual two, with the third troll who is regulating the other two being called the "Auspistice", and can be referred to as "Auspisticism". Auspisticism comes about when two trolls are in a particularly contentious relationship and need a mediator. This is most often found between two trolls who have not yet entered a Kismesissitude, and of which the intended goal it to keep them out of one. This is because the nature of Trolls on Alternia leads to many feuds between Trolls that left unchecked would lead to an over saturation of Kismeses and black infidelity. It can also be used to regulate a Kismesissitude that, without interference, could become unhealthy for the trolls in the relationship, or affect their relationships outside of it. In the case of vacillations, an Auspistice prevents two trolls from vacillating and committing infidelities with their other partners, if any.
Auspisticism is represented by a club and the color gray. In text, it can be recognized as ♣ or o8<.
== Quadrant Vacillation ==
[[File:Quadrants_Vacillation.gif|thumb|right]]
There are many situations in which the complex feelings that accompany a polyamorous Quadrant system leads to a transmutative and malleable series of vacillations.
If two trolls enter an uncertain relationship where one party may feel flushed, and the other caliginous. One party will switch to match the other, but this will be followed up by many switches back and forth, a romantic tug-of-war. An Auspistice can be a very important third party in regulating a vacillation and keeping a romance stably in one Quadrant.
Relationships where one quadrants vacillates to another, if that quadrant is already filled, the troll's other quadrant is forced to flip as well. This can set off a domino effect between all troll's involved quadrants.
If you find any of this confusing, so do Trolls, as "[https://www.homestuck.com/story/2400 [they<nowiki>]</nowiki> exist in a state of almost perpetual confusion and generally have no idea what the hell is going on]."
== Canon Relationships ==
=== Matesprits ===
* [[Barise Klipse|Barise]] and [[Paluli Anriqi|Paluli]]
* [[Mabuya Arnava|Mabuya]] and [[Siette Aerien|Siette]]
* [[Awoole Fenrir|Awoole]] and [[Esceia]]
* [[Harfil Myches|Harfil]] and [[Venrot Fellix|Venrot]]
* [[Shikki Raynor|Shikki]] and [[Yolond Jasper|Yolond]]
Known Flushed Crushes:
* [[Anyaru Servus|Anyaru]] on [[Siette Aerien|Siette]]
=== Moirails ===
* [[Barise Klipse|Barise]] and [[Plaxii Arouet|Plaxii]]
* [[Patiya Sirtse|Patiya]] and [[Venili Habere|Venili]]
* [[Modrey Chienn|Modrey]] and [[Ravial Orande|Ravial]]
* [[Mabuya Arnava|Mabuya]] and [[Mavrik Notezz|Mavrik]]
Known Pale Crushes:
* [[Venrot Fellix|Venrot]] on [[Ponzii]]
=== Auspistices ===
* [[Patiya Sirtse|Patiya]] for [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]
=== Kismeses ===
* [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]. [[Patiya Sirtse|Patiya]] is their Auspistice.
* [[Awoole Fenrir|Awoole]] and [[Anyaru Servus|Anyaru]]
Known Caliginous Crushes:
* [[Knight Galfry|Knight]] on [[Aquett Aghara|Aquett]]
=== Vacillations/Exceptions ===
* [[Anatta Tereme|Anatta]] and [[Anicca Shivuh|Anicca]]. Their feelings are complex and they fall somewhere between Matesprits/Moirails. They call each other girlfriends.
=== Past Relationships ===
* [[Arsene]] and [[Looksi Gumshu|Looksi]]. Matesprits/Moirails/Kismeses.
* [[Cherie]] and [[Ponzii]]
* [[Guppie Suamui|Guppie]] and [[Jeremy]]
3efb8cc36ffabb7883ae31576a5296974a515b99
1082
1081
2023-11-06T07:51:23Z
Onepeachymo
2
wikitext
text/x-wiki
''These takes are brought to you in collaboration between the homestuck wiki and Peachy's own personal opinions on quadrants.''
[[File:Quadrants_Basic.gif|thumb|right]]
Quadrants make up the system of categorization for romance utilized by the [[Trolls]] on Alternia.
Troll romance is much more complicated than Human romance. While Human romance could be put into one category, Troll romance is split into four: the Flushed Quadrant, the Caliginous Quadrant, the Pale Quadrant, and the Ashen Quadrant. "Romance" is less black and white on Alternia, acting more as an umbrella term to categorize the complicated way Trolls connect through relationships, and includes quadrants that in human standards would more likely be described as "Platonic".
Troll romance is in part about the balance of emotions in a society that is incredibly geared towards violence. It's a way to stabilize a civilization that was groomed into a hierarchy that promotes oppression and needless death to those beneath you. It cultivates small pockets where trolls take care of each other when building up a community is heavily against the odds. The other part is, naturally, for reproduction. Reproduction is much like how it is in Homestuck proper but without the "Supply or Die" aspect of the drones collecting genetic material. Relationships are expected to be reported on the Troll Census and thus there you are enlisted to provide for the brood. That is all I will say on the matter. That is all anyone should say on the matter.
== Bifurcation ==
While Troll romance is split into four different quadrants, they can also be split into halves and categorized further. The top half of the Quadrants are recognized as Red Romance and the bottom half as Black Romance; the left side Concupiscent and the right side Conciliatory.
=== Red Romance ===
Strongly rooted in positive emotions. The Flushed and Pale Quadrants make up Red Romance, or Redrom.
[[File:Quadrants_bifurcation.gif|thumb|right]]
=== Black Romance ===
Strongly rooted in negative emotions. The Caliginous and Ashen Quadrants make up Black Romance, or Blackrom.
=== Concupiscent ===
Relationships that are more so associated with reproduction. The Flushed and Caliginous Quadrants are Concupiscent.
=== Conciliatory ===
Relationships that are more about regulating emotions, likened to platonic relationships. The Pale and Ashen Quadrants are Conciliatory.
== Quadrants ==
[[File:Quadrant_Heart.gif|thumb|left]]
=== Flushed ===
The Flushed Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Matesprits", and it can be referred to as a "Matespritship." The intent behind Matesprits are primarily rooted in positive emotions and the Flushed Quadrant is the closest of the four romances to Human romance. There's really not much more to be said on the matter. Love. You guys get it.
Matespritship is represented by a heart and the color red. In text, it can be recognized as ♥ or <3.
[[File:Quadrants_Diamond.gif|thumb|right]]
=== Pale ===
The Pale Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Conciliatory" bifurcation. Two trolls in this Quadrant are called "Moirails", and can be referred to as a "Moirallegience." Moirails are the platonic ideal of a soulmate in Alternian society. It's about finding someone that balances your emotional profile, and completes you, in a way. It is finding someone you can wholly entrust and bare yourself to, and get that same vulnerability back. You keep each other in check and help maintain one another's emotional well-being, though in cases between a lowblood and highblood, the support of a highblood Moirail can be a deterrent to those who may otherwise harm the lowblood, and in which case also maintains their physical well-being.
Moirallegience is represented by a diamond and the color pink. In text, it can be recognized as ♦ or <>.
[[File:Quadrant_Spade.gif|thumb|left]]
=== Caliginous ===
The Caliginous Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Kismesis", and can be referred to as a "Kismesissitude." Kismesissitude is based on a mix of attraction and annoyance, likened to a sense of rivalry. It's about the pitch feelings that are cultivated by the frustration from thinking someone is just the Absolute Fucking Worst, but still being able to see redeeming qualities in them that, if not for the bad qualities, would make that person maybe even a bit alright. Kismesissitude should not be thought of as inherently toxic just because it's tied with primarily negative feelings; if healthy, a Kismesissitude is a beneficial outlet for Trolls more violent tendencies that works off steam in a setting where you don't actually want to kill the other person. An unhealthy Kismesissitude can be incredibly dangerous for the mental well-being of a troll, however, and in that situation an Auspistice would be needed to step in.
Kismesissitude is represented by a spade and the color black. In text, it can be recognized as ♠ or <3<.
[[File:Quadrants_Club.gif|thumb|right]]
=== Ashen ===
The Ashen Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Conciliatory" bifurcation. There are uniquely three trolls that participate in this Quadrant compared to the usual two, with the third troll who is regulating the other two being called the "Auspistice", and can be referred to as "Auspisticism". Auspisticism comes about when two trolls are in a particularly contentious relationship and need a mediator. This is most often found between two trolls who have not yet entered a Kismesissitude, and of which the intended goal it to keep them out of one. This is because the nature of Trolls on Alternia leads to many feuds between Trolls that left unchecked would lead to an over saturation of Kismeses and black infidelity. It can also be used to regulate a Kismesissitude that, without interference, could become unhealthy for the trolls in the relationship, or affect their relationships outside of it. In the case of vacillations, an Auspistice prevents two trolls from vacillating and committing infidelities with their other partners, if any.
Auspisticism is represented by a club and the color gray. In text, it can be recognized as ♣ or o8<.
== Quadrant Vacillation ==
[[File:Quadrants_Vacillation.gif|thumb|right]]
There are many situations in which the complex feelings that accompany a polyamorous Quadrant system leads to a transmutative and malleable series of vacillations.
If two trolls enter an uncertain relationship where one party may feel flushed, and the other caliginous. One party will switch to match the other, but this will be followed up by many switches back and forth, a romantic tug-of-war. An Auspistice can be a very important third party in regulating a vacillation and keeping a romance stably in one Quadrant.
Relationships where one quadrant vacillates to another, if that quadrant is already filled, the troll's other quadrant is forced to flip as well. This can set off a domino effect between all troll's involved quadrants.
If you find any of this confusing, so do Trolls, as "[https://www.homestuck.com/story/2400 [they<nowiki>]</nowiki> exist in a state of almost perpetual confusion and generally have no idea what the hell is going on]."
== Canon Relationships ==
=== Matesprits ===
* [[Barise Klipse|Barise]] and [[Paluli Anriqi|Paluli]]
* [[Mabuya Arnava|Mabuya]] and [[Siette Aerien|Siette]]
* [[Awoole Fenrir|Awoole]] and [[Esceia]]
* [[Harfil Myches|Harfil]] and [[Venrot Fellix|Venrot]]
* [[Shikki Raynor|Shikki]] and [[Yolond Jasper|Yolond]]
Known Flushed Crushes:
* [[Anyaru Servus|Anyaru]] on [[Siette Aerien|Siette]]
=== Moirails ===
* [[Barise Klipse|Barise]] and [[Plaxii Arouet|Plaxii]]
* [[Patiya Sirtse|Patiya]] and [[Venili Habere|Venili]]
* [[Modrey Chienn|Modrey]] and [[Ravial Orande|Ravial]]
* [[Mabuya Arnava|Mabuya]] and [[Mavrik Notezz|Mavrik]]
Known Pale Crushes:
* [[Venrot Fellix|Venrot]] on [[Ponzii]]
=== Auspistices ===
* [[Patiya Sirtse|Patiya]] for [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]
=== Kismeses ===
* [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]. [[Patiya Sirtse|Patiya]] is their Auspistice.
* [[Awoole Fenrir|Awoole]] and [[Anyaru Servus|Anyaru]]
Known Caliginous Crushes:
* [[Knight Galfry|Knight]] on [[Aquett Aghara|Aquett]]
=== Vacillations/Exceptions ===
* [[Anatta Tereme|Anatta]] and [[Anicca Shivuh|Anicca]]. Their feelings are complex and they fall somewhere between Matesprits/Moirails. They call each other girlfriends.
=== Past Relationships ===
* [[Arsene]] and [[Looksi Gumshu|Looksi]]. Matesprits/Moirails/Kismeses.
* [[Cherie]] and [[Ponzii]]
* [[Guppie Suamui|Guppie]] and [[Jeremy]]
f3e68da86b0ca79d2bae048eb21f47dcfa5cc33d
1083
1082
2023-11-06T09:06:02Z
Onepeachymo
2
wikitext
text/x-wiki
''These takes are brought to you in collaboration between the homestuck wiki and Peachy's own personal opinions on quadrants.''
[[File:Quadrants_Basic.gif|thumb|right]]
Quadrants make up the system of categorization for romance utilized by the [[Trolls]] on Alternia.
Troll romance is much more complicated than Human romance. While Human romance could be put into one category, Troll romance is split into four: the Flushed Quadrant, the Caliginous Quadrant, the Pale Quadrant, and the Ashen Quadrant. "Romance" is less black and white on Alternia, acting more as an umbrella term to categorize the complicated way Trolls connect through relationships, and includes quadrants that in human standards would more likely be described as "Platonic".
Troll romance is in part about the balance of emotions in a society that is incredibly geared towards violence. It's a way to stabilize a civilization that was groomed into a hierarchy that promotes oppression and needless death to those beneath you. It cultivates small pockets where trolls take care of each other when building up a community is heavily against the odds. The other part is, naturally, for reproduction. Reproduction is much like how it is in Homestuck proper but without the "Supply or Die" aspect of the drones collecting genetic material. Relationships are expected to be reported on the Troll Census and thus there you are enlisted to provide for the brood. That is all I will say on the matter. That is all anyone should say on the matter.
== Bifurcation ==
While Troll romance is split into four different quadrants, they can also be split into halves and categorized further. The top half of the Quadrants are recognized as Red Romance and the bottom half as Black Romance; the left side Concupiscent and the right side Conciliatory.
=== Red Romance ===
Strongly rooted in positive emotions. The Flushed and Pale Quadrants make up Red Romance, or Redrom.
[[File:Quadrants_bifurcation.gif|thumb|right]]
=== Black Romance ===
Strongly rooted in negative emotions. The Caliginous and Ashen Quadrants make up Black Romance, or Blackrom.
=== Concupiscent ===
Relationships that are more so associated with reproduction. The Flushed and Caliginous Quadrants are Concupiscent.
=== Conciliatory ===
Relationships that are more about regulating emotions, likened to platonic relationships. The Pale and Ashen Quadrants are Conciliatory.
== Quadrants ==
[[File:Quadrant_Heart.gif|thumb|left]]
=== Flushed ===
The Flushed Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Matesprits", and it can be referred to as a "Matespritship." The intent behind Matesprits are primarily rooted in positive emotions and the Flushed Quadrant is the closest of the four romances to Human romance. There's really not much more to be said on the matter. Love. You guys get it.
Matespritship is represented by a heart and the color {{RS quote|flushed|red. In text, it can be recognized as {{RS quote|flushed|♥ or <3}}.
[[File:Quadrants_Diamond.gif|thumb|right]]
=== Pale ===
The Pale Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Conciliatory" bifurcation. Two trolls in this Quadrant are called "Moirails", and can be referred to as a "Moirallegience." Moirails are the platonic ideal of a soulmate in Alternian society. It's about finding someone that balances your emotional profile, and completes you, in a way. It is finding someone you can wholly entrust and bare yourself to, and get that same vulnerability back. You keep each other in check and help maintain one another's emotional well-being, though in cases between a lowblood and highblood, the support of a highblood Moirail can be a deterrent to those who may otherwise harm the lowblood, and in which case also maintains their physical well-being.
Moirallegience is represented by a diamond and the color {{RS quote|pale|pink}}. In text, it can be recognized as {{RS quote|pale|♦ or <>}}.
[[File:Quadrant_Spade.gif|thumb|left]]
=== Caliginous ===
The Caliginous Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Kismesis", and can be referred to as a "Kismesissitude." Kismesissitude is based on a mix of attraction and annoyance, likened to a sense of rivalry. It's about the pitch feelings that are cultivated by the frustration from thinking someone is just the Absolute Fucking Worst, but still being able to see redeeming qualities in them that, if not for the bad qualities, would make that person maybe even a bit alright. Kismesissitude should not be thought of as inherently toxic just because it's tied with primarily negative feelings; if healthy, a Kismesissitude is a beneficial outlet for Trolls more violent tendencies that works off steam in a setting where you don't actually want to kill the other person. An unhealthy Kismesissitude can be incredibly dangerous for the mental well-being of a troll, however, and in that situation an Auspistice would be needed to step in.
Kismesissitude is represented by a spade and the color {{RS quote|caliginous|black}}. In text, it can be recognized as {{RS quote|caliginous|♠ or <3<}}.
[[File:Quadrants_Club.gif|thumb|right]]
=== Ashen ===
The Ashen Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Conciliatory" bifurcation. There are uniquely three trolls that participate in this Quadrant compared to the usual two, with the third troll who is regulating the other two being called the "Auspistice", and can be referred to as "Auspisticism". Auspisticism comes about when two trolls are in a particularly contentious relationship and need a mediator. This is most often found between two trolls who have not yet entered a Kismesissitude, and of which the intended goal it to keep them out of one. This is because the nature of Trolls on Alternia leads to many feuds between Trolls that left unchecked would lead to an over saturation of Kismeses and black infidelity. It can also be used to regulate a Kismesissitude that, without interference, could become unhealthy for the trolls in the relationship, or affect their relationships outside of it. In the case of vacillations, an Auspistice prevents two trolls from vacillating and committing infidelities with their other partners, if any.
Auspisticism is represented by a club and the color {{RS quote|ashen|gray}}. In text, it can be recognized as {{RS quote|ashen|♣ or c3< / o8<}}.
== Quadrant Vacillation ==
[[File:Quadrants_Vacillation.gif|thumb|right]]
There are many situations in which the complex feelings that accompany a polyamorous Quadrant system leads to a transmutative and malleable series of vacillations.
If two trolls enter an uncertain relationship where one party may feel flushed, and the other caliginous. One party will switch to match the other, but this will be followed up by many switches back and forth, a romantic tug-of-war. An Auspistice can be a very important third party in regulating a vacillation and keeping a romance stably in one Quadrant.
Relationships where one quadrant vacillates to another, if that quadrant is already filled, the troll's other quadrant is forced to flip as well. This can set off a domino effect between all troll's involved quadrants.
If you find any of this confusing, so do Trolls, as "[https://www.homestuck.com/story/2400 [they<nowiki>]</nowiki> exist in a state of almost perpetual confusion and generally have no idea what the hell is going on]."
== Canon Relationships ==
=== Matesprits ===
* [[Barise Klipse|Barise]] and [[Paluli Anriqi|Paluli]]
* [[Mabuya Arnava|Mabuya]] and [[Siette Aerien|Siette]]
* [[Awoole Fenrir|Awoole]] and [[Esceia]]
* [[Harfil Myches|Harfil]] and [[Venrot Fellix|Venrot]]
* [[Shikki Raynor|Shikki]] and [[Yolond Jasper|Yolond]]
Known Flushed Crushes:
* [[Anyaru Servus|Anyaru]] on [[Siette Aerien|Siette]]
=== Moirails ===
* [[Barise Klipse|Barise]] and [[Plaxii Arouet|Plaxii]]
* [[Patiya Sirtse|Patiya]] and [[Venili Habere|Venili]]
* [[Modrey Chienn|Modrey]] and [[Ravial Orande|Ravial]]
* [[Mabuya Arnava|Mabuya]] and [[Mavrik Notezz|Mavrik]]
Known Pale Crushes:
* [[Venrot Fellix|Venrot]] on [[Ponzii]]
=== Auspistices ===
* [[Patiya Sirtse|Patiya]] for [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]
=== Kismeses ===
* [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]. [[Patiya Sirtse|Patiya]] is their Auspistice.
* [[Awoole Fenrir|Awoole]] and [[Anyaru Servus|Anyaru]]
Known Caliginous Crushes:
* [[Knight Galfry|Knight]] on [[Aquett Aghara|Aquett]]
=== Vacillations/Exceptions ===
* [[Anatta Tereme|Anatta]] and [[Anicca Shivuh|Anicca]]. Their feelings are complex and they fall somewhere between Matesprits/Moirails. They call each other girlfriends.
=== Past Relationships ===
* [[Arsene]] and [[Looksi Gumshu|Looksi]]. Matesprits/Moirails/Kismeses.
* [[Cherie]] and [[Ponzii]]
* [[Guppie Suamui|Guppie]] and [[Jeremy]]
ac0772cf4ec4fcb4dca3c0538b34b069ebea0e65
1084
1083
2023-11-06T09:06:26Z
Onepeachymo
2
wikitext
text/x-wiki
''These takes are brought to you in collaboration between the homestuck wiki and Peachy's own personal opinions on quadrants.''
[[File:Quadrants_Basic.gif|thumb|right]]
Quadrants make up the system of categorization for romance utilized by the [[Trolls]] on Alternia.
Troll romance is much more complicated than Human romance. While Human romance could be put into one category, Troll romance is split into four: the Flushed Quadrant, the Caliginous Quadrant, the Pale Quadrant, and the Ashen Quadrant. "Romance" is less black and white on Alternia, acting more as an umbrella term to categorize the complicated way Trolls connect through relationships, and includes quadrants that in human standards would more likely be described as "Platonic".
Troll romance is in part about the balance of emotions in a society that is incredibly geared towards violence. It's a way to stabilize a civilization that was groomed into a hierarchy that promotes oppression and needless death to those beneath you. It cultivates small pockets where trolls take care of each other when building up a community is heavily against the odds. The other part is, naturally, for reproduction. Reproduction is much like how it is in Homestuck proper but without the "Supply or Die" aspect of the drones collecting genetic material. Relationships are expected to be reported on the Troll Census and thus there you are enlisted to provide for the brood. That is all I will say on the matter. That is all anyone should say on the matter.
== Bifurcation ==
While Troll romance is split into four different quadrants, they can also be split into halves and categorized further. The top half of the Quadrants are recognized as Red Romance and the bottom half as Black Romance; the left side Concupiscent and the right side Conciliatory.
=== Red Romance ===
Strongly rooted in positive emotions. The Flushed and Pale Quadrants make up Red Romance, or Redrom.
[[File:Quadrants_bifurcation.gif|thumb|right]]
=== Black Romance ===
Strongly rooted in negative emotions. The Caliginous and Ashen Quadrants make up Black Romance, or Blackrom.
=== Concupiscent ===
Relationships that are more so associated with reproduction. The Flushed and Caliginous Quadrants are Concupiscent.
=== Conciliatory ===
Relationships that are more about regulating emotions, likened to platonic relationships. The Pale and Ashen Quadrants are Conciliatory.
== Quadrants ==
[[File:Quadrant_Heart.gif|thumb|left]]
=== Flushed ===
The Flushed Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Matesprits", and it can be referred to as a "Matespritship." The intent behind Matesprits are primarily rooted in positive emotions and the Flushed Quadrant is the closest of the four romances to Human romance. There's really not much more to be said on the matter. Love. You guys get it.
Matespritship is represented by a heart and the color {{RS quote|flushed|red}}. In text, it can be recognized as {{RS quote|flushed|♥ or <3}}.
[[File:Quadrants_Diamond.gif|thumb|right]]
=== Pale ===
The Pale Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Conciliatory" bifurcation. Two trolls in this Quadrant are called "Moirails", and can be referred to as a "Moirallegience." Moirails are the platonic ideal of a soulmate in Alternian society. It's about finding someone that balances your emotional profile, and completes you, in a way. It is finding someone you can wholly entrust and bare yourself to, and get that same vulnerability back. You keep each other in check and help maintain one another's emotional well-being, though in cases between a lowblood and highblood, the support of a highblood Moirail can be a deterrent to those who may otherwise harm the lowblood, and in which case also maintains their physical well-being.
Moirallegience is represented by a diamond and the color {{RS quote|pale|pink}}. In text, it can be recognized as {{RS quote|pale|♦ or <>}}.
[[File:Quadrant_Spade.gif|thumb|left]]
=== Caliginous ===
The Caliginous Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Kismesis", and can be referred to as a "Kismesissitude." Kismesissitude is based on a mix of attraction and annoyance, likened to a sense of rivalry. It's about the pitch feelings that are cultivated by the frustration from thinking someone is just the Absolute Fucking Worst, but still being able to see redeeming qualities in them that, if not for the bad qualities, would make that person maybe even a bit alright. Kismesissitude should not be thought of as inherently toxic just because it's tied with primarily negative feelings; if healthy, a Kismesissitude is a beneficial outlet for Trolls more violent tendencies that works off steam in a setting where you don't actually want to kill the other person. An unhealthy Kismesissitude can be incredibly dangerous for the mental well-being of a troll, however, and in that situation an Auspistice would be needed to step in.
Kismesissitude is represented by a spade and the color {{RS quote|caliginous|black}}. In text, it can be recognized as {{RS quote|caliginous|♠ or <3<}}.
[[File:Quadrants_Club.gif|thumb|right]]
=== Ashen ===
The Ashen Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Conciliatory" bifurcation. There are uniquely three trolls that participate in this Quadrant compared to the usual two, with the third troll who is regulating the other two being called the "Auspistice", and can be referred to as "Auspisticism". Auspisticism comes about when two trolls are in a particularly contentious relationship and need a mediator. This is most often found between two trolls who have not yet entered a Kismesissitude, and of which the intended goal it to keep them out of one. This is because the nature of Trolls on Alternia leads to many feuds between Trolls that left unchecked would lead to an over saturation of Kismeses and black infidelity. It can also be used to regulate a Kismesissitude that, without interference, could become unhealthy for the trolls in the relationship, or affect their relationships outside of it. In the case of vacillations, an Auspistice prevents two trolls from vacillating and committing infidelities with their other partners, if any.
Auspisticism is represented by a club and the color {{RS quote|ashen|gray}}. In text, it can be recognized as {{RS quote|ashen|♣ or c3< / o8<}}.
== Quadrant Vacillation ==
[[File:Quadrants_Vacillation.gif|thumb|right]]
There are many situations in which the complex feelings that accompany a polyamorous Quadrant system leads to a transmutative and malleable series of vacillations.
If two trolls enter an uncertain relationship where one party may feel flushed, and the other caliginous. One party will switch to match the other, but this will be followed up by many switches back and forth, a romantic tug-of-war. An Auspistice can be a very important third party in regulating a vacillation and keeping a romance stably in one Quadrant.
Relationships where one quadrant vacillates to another, if that quadrant is already filled, the troll's other quadrant is forced to flip as well. This can set off a domino effect between all troll's involved quadrants.
If you find any of this confusing, so do Trolls, as "[https://www.homestuck.com/story/2400 [they<nowiki>]</nowiki> exist in a state of almost perpetual confusion and generally have no idea what the hell is going on]."
== Canon Relationships ==
=== Matesprits ===
* [[Barise Klipse|Barise]] and [[Paluli Anriqi|Paluli]]
* [[Mabuya Arnava|Mabuya]] and [[Siette Aerien|Siette]]
* [[Awoole Fenrir|Awoole]] and [[Esceia]]
* [[Harfil Myches|Harfil]] and [[Venrot Fellix|Venrot]]
* [[Shikki Raynor|Shikki]] and [[Yolond Jasper|Yolond]]
Known Flushed Crushes:
* [[Anyaru Servus|Anyaru]] on [[Siette Aerien|Siette]]
=== Moirails ===
* [[Barise Klipse|Barise]] and [[Plaxii Arouet|Plaxii]]
* [[Patiya Sirtse|Patiya]] and [[Venili Habere|Venili]]
* [[Modrey Chienn|Modrey]] and [[Ravial Orande|Ravial]]
* [[Mabuya Arnava|Mabuya]] and [[Mavrik Notezz|Mavrik]]
Known Pale Crushes:
* [[Venrot Fellix|Venrot]] on [[Ponzii]]
=== Auspistices ===
* [[Patiya Sirtse|Patiya]] for [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]
=== Kismeses ===
* [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]. [[Patiya Sirtse|Patiya]] is their Auspistice.
* [[Awoole Fenrir|Awoole]] and [[Anyaru Servus|Anyaru]]
Known Caliginous Crushes:
* [[Knight Galfry|Knight]] on [[Aquett Aghara|Aquett]]
=== Vacillations/Exceptions ===
* [[Anatta Tereme|Anatta]] and [[Anicca Shivuh|Anicca]]. Their feelings are complex and they fall somewhere between Matesprits/Moirails. They call each other girlfriends.
=== Past Relationships ===
* [[Arsene]] and [[Looksi Gumshu|Looksi]]. Matesprits/Moirails/Kismeses.
* [[Cherie]] and [[Ponzii]]
* [[Guppie Suamui|Guppie]] and [[Jeremy]]
ff873bf9441a409154905c66a70278d51002059a
Template:Navbox Trolls
10
72
1072
1022
2023-11-06T02:45:40Z
Onepeachymo
2
wikitext
text/x-wiki
{{navbox
|title={{clink|Troll|white|Trolls}}
|collapsible=yes
|content=
{{!}}-
{{!}} style="background: {{Color|redblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Redblood|white|Redbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em;" {{!}}
<table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Arsci.png|16px|link=Paluli Anriqi]] {{clink|Paluli Anriqi|redblood}}</big></td>
<td style="width:34%;"><big>[[File:Aries.png|16px|link=Rigore Mortis]] {{clink|Rigore Mortis|redblood}}</big></td>
<td style="width:33%;"><big>[[File:ECG.png|16px|link=Yupinh]] {{clink|Yupinh|redblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve2}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|bronzeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Bronzeblood|white|Bronzebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Taurmini.png|16px|link=Awoole Fenrir]] {{clink|Awoole Fenrir|bronzeblood}}</big></td>
<td style="width:34%;"><big>[[File:Taurpio.png|16px|link=Borfix Mopolb]] {{clink|Borfix Mopolb|bronzeblood}}</big></td>
<td style="width:33%;"><big>[[File:Taurlo.png|16px|link=Ponzii]] {{clink|Ponzii|bronzeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|yellowblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Yellowblood|white|Yellowbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Gemza.png|16px|link=Skoozy Mcribb]] {{clink|Skoozy Mcribb|yellowblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|greenblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Greenblood|white|Greenbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] {{clink|Anicca Shivuh|greenblood}}</big></td>
<td style="width:25%;"><big>[[File:Leus.png|16px|link=Gibush Threwd]] {{clink|Gibush Threwd|greenblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|jadeblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Jadeblood|white|Jadebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Virlo.png|16px|link=Salang Lyubov]] {{clink|Salang Lyubov|jadeblood}}</big></td>
<td style="width:25%;"><big>[[File:Virsci.png|16px|link=Siniix Auctor]] {{clink|Siniix Auctor|jadeblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|tealblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Tealblood|white|Tealbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Libza.png|16px|link=Looksi Gumshu]] {{clink|Looksi Gumshu|tealblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|blueblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Blueblood|white|Bluebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:Scorza.png|16px|link=Anyaru Servus]] {{clink|Anyaru Servus|blueblood}}</big></td>
<td style="width:50%;"><big>[[File:Scormini.png|16px|link=Keymim Idrila]] {{clink|Keymim Idrila|blueblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|indigoblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Indigoblood|white|Indigobloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:50%;"><big>[[File:knightsign.png|16px|link=Knight Galfry]] {{clink|Knight Galfry|indigoblood}}</big></td>
<td style="width:50%;"><big>[[File:poppiesign.png|16px|link=Poppie Toppie]] {{clink|Poppie Toppie|indigoblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|purpleblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Purpleblood|white|Purplebloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Capricorn.png|16px|link=Siette Aerien]] {{clink|Siette Aerien|purpleblood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="2" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|violetblood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="2" {{!}} {{clink|Hemospectrum#Violetblood|white|Violetbloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Calico Drayke]]{{clink|Calico Drayke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquacen.png|12px|link=Tewkid Bownes]]{{clink|Tewkid Bownes|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquicorn.png|15px|link=Guppie Suamui]]{{clink|Guppie Suamui|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Aquiun.png|17px|link=Pyrrah Kappen]]{{clink|Pyrrah Kappen|violetblood}}</big></td>
</tr>
<tr>
<td style="width:25%;"><big>[[File:Calflag.png|17px|link=Shikki Raynor]]{{clink|Shikki Raynor|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Calflag.png|17px|link=Yolond Jasper]]{{clink|Yolond Jasper|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Calflag.png|17px|link=Kurien Burrke]]{{clink|Kurien Burrke|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Calflag.png|17px|link=Merrie Bonnet]]{{clink|Merrie Bonnet|violetblood}}</big></td>
</tr>
<tr>
<td style="width:25%;"><big>[[File:Calflag.png|17px|link=Vemixe Jenning]]{{clink|Vemixe Jenning|violetblood}}</big></td>
<td style="width:25%;"><big>[[File:Calflag.png|17px|link=Lealda Caspin]]{{clink|Lealda Caspin|black}}{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|fuchsiablood}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} {{clink|Hemospectrum#Fuchsiablood|white|Fuchsiabloods}}
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:25%;"><big>[[File:Piga.png|16px|link=Soleil]]{{clink|Soleil|fuchsiablood}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:3px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
{{!}} style="background: {{Color|ve3}}; padding:0.2em 1.0em; width:.1em; font-weight: bold; text-align: center; white-space:nowrap;" rowspan="1" {{!}} Special / Unknown
{{!}} style="text-align: center; background: {{Color|ve0}}; padding:0.2em 0.5em; " {{!}} <table border="0" width="100%" style="text-align:center; font-size:80%;" align="center">
<tr>
<td style="width:33%;"><big>[[File:Lemino.png|16px|link=Anicca Shivuh]] [[Anicca Shivuh#Skeletani|{{Color|black|Skeletani}}]]{{Color|black|✝}}</big></td>
</tr>
</table>
{{!}}-
{{!}} colspan="3" style="text-align: center; background: {{Color|ve0}}; padding:0em 0.5em; border-top:5px solid {{Color|ve4}}; width:100%;"{{!}}
{{!}}-
|template=navbox Trolls
}}
<noinclude>
[[Category:Navigation templates]]
</noinclude>
dec09beea35a9da84f39cb3363aa1c388406b62c
File:Quadrants Basic.gif
6
535
1073
2023-11-06T06:58:23Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Quadrants bifurcation.gif
6
536
1074
2023-11-06T06:58:48Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Quadrants Vacillation.gif
6
537
1075
2023-11-06T07:01:35Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Quadrants Club.gif
6
538
1077
2023-11-06T07:46:37Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Quadrants Diamond.gif
6
539
1078
2023-11-06T07:46:57Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Quadrant Heart.gif
6
540
1079
2023-11-06T07:47:15Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
File:Quadrant Spade.gif
6
541
1080
2023-11-06T07:47:32Z
Onepeachymo
2
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Lealda's Dream
0
497
1085
930
2023-11-06T12:15:51Z
Onepeachymo
2
wikitext
text/x-wiki
The '''Lealda's Dream''' is the name of the ship captained by [[Calico Drayke]].
== History ==
=== Past ===
The ''Lealda's Dream'' was not always called as such. It used to be run under a different name, ''The Mariner's Revenge,'' while it was captained by [[Lealda Caspin]]. The ship was renamed after Lealda's death, when Calico Drayke took over as captain.
=== Current ===
Currently, the Lealda's dream is being manned by [[Shikki Raynor]] as a temporary captain, while [[Tewkid Bownes]] is unfit and Calico Drayke is captured.
== Crew ==
[[File:Calico_Drayke_Phone.png|thumb|Calico Drayke, contemplating.|left]]
===Calico Drayke (Captain)===
{{main|Calico Drayke}}
'''Calico''' is the Captain of ''Lealda's Dream'', though he is currently off the ship. Though a bit of a slacker when he was under Lealda, the Calico of today is a fierce, respected captain.
{{-}}[[File:Tewkid_Bownes_Musket.png|thumb|Tewkid Bownes, wielding his weapon.|right]]
===Tewkid Bownes (First Mate)===
{{main|Tewkid Bownes}}
'''Tewkid''' is Calicos' right hand man... Though perhaps not, anymore. After Calico was kidnapped, Tewkid went into a depressive spiral where he binged alcohol night and day. He was thrown into the brig by [[Shikki Raynor]] to sober up, where he still remains.
{{-}}
===Shikki Raynor (Acting Captain, Boatswain, Surgeon)===
{{main|Shikki Raynor}}
'''Shikki''' is the current acting captain of the ship. She was Lealda's first mate, when they were alive. They are responsible for keeping many things in check on board, as well as being one of the only ones trained in first aid. They are skilled in prosthetics.
{{-}}
===Vemixe Jening (Gunner)===
{{main|Vemixe Jening}}
'''Vemixe''' is in charge of weaponry and cannons. He does many other things behind the scenes.
{{-}}
===Merrie Bonnet (Navigator)===
{{main|Merrie Bonnet}}
'''Merrie''' is the default navigator most days. You can often find her behind the wheel of the ''Lealda's Dream'', though Shikki will often give her breaks.
{{-}}
===Yolond Jasper (Striker)===
{{main|Yolond Jasper}}
'''Yolond''' is one of the only people with any skills in cooking on board. Mainly they are in charge of food supplies and fishing/gathering edible plants at sea.
{{-}}
===Kurien Burrke (Deckhand)===
{{main|Kurien Burrke}}
'''Kurien''' is still one of the newest members of the ''Lealda's Dream''. He joined after Lealda's death a few sweeps ago. He's mostly everyone's gopher boy, and does whatever he's told without much fuss.
== Past Crew ==
===Lealda Caspin===
{{main|Lealda Caspin}}
'''Lealda''' was the initial captain of this vessel. They died though. Sad. Well there's other captains.
e3302d241cea3572267e001b29b74826cdf5d2dc
Shikki Raynor
0
468
1086
935
2023-11-06T12:16:23Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
Shikki is one of the oldest members of the ''[[Lealda's Dream]]'', and the one that has been on the ship the longest.
==Etymology==
==Biography==
===Early Life===
At some time before the start of the server, Shikki met and sailed with [[Lealda Caspin]] as their first mate on the ship, then known as ''The Mariner's Revenge''.
===Act 1===
Shikki was present at the siege on the Party. She was also there the day that [[Calico Drayke]] and [[Tewkid Bownes]] found the message in a bottle that led to them joining the server.
===Act ?===
Shikki was the one who crafted and attached [[Skoozy Mcribb]]'s mechanical arm, though only doing so at the Captain's behest.
==Personality and Traits==
Shikki is a pretty normal person. She takes most things in stride, but won't put up with any bullshit. She's not afraid to let people know exactly what she's thinking, and in fact, well give her thoughts on pretty much everything even if unprompted. She can be quick to anger and heated moments, but often comes to regret her actions at those times.
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
748c765c963c99febd45e7cebe37bff3961bd6a9
1087
1086
2023-11-06T12:17:50Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
Shikki is one of the oldest members of the ''[[Lealda's Dream]]'', and the one that has been on the ship the longest.
==Etymology==
==Biography==
===Early Life===
At some time before the start of the server, Shikki met and sailed with [[Lealda Caspin]] as their first mate on the ship then known as ''The Mariner's Revenge''.
===Act 1===
Shikki was present at the siege on the Party. She was also there the day that [[Calico Drayke]] and [[Tewkid Bownes]] found the message in a bottle that led to them joining the server.
===Act ?===
Shikki was the one who crafted and attached [[Skoozy Mcribb]]'s mechanical arm, though only doing so at the Captain's behest.
==Personality and Traits==
Shikki is a pretty normal person. She takes most things in stride, but won't put up with any bullshit. She's not afraid to let people know exactly what she's thinking, and in fact, will give her thoughts on pretty much everything, even if unprompted. She can be quick to anger and heated moments, but often comes to regret her actions at those times.
==Relationships==
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
57177102242a6af82edd2d92026bc86cfa821c4c
Calico Drayke
0
2
1088
929
2023-11-06T12:38:26Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Calico Drayke''', also known by his [[Moonbounce|Moonbounce]] tag, '''languidMarauder''', is one of the major pirate characters and a minor antagonist at times in [[Re:Symphony]]. His sign is Aquiun and he is the Captain upon the ''[[Lealda's Dream]]''.
He joined the server on 9/22/2021, after finding a message in a bottle that contained the link to the server, along with [[Tewkid Bownes|Tewkid]].
==Etymology==
"Calico" was taken from the first name of the pirate "Calico Jack" and "Drayke" comes from the surname of the pirate "Francis Drake".
Languid, from his username, is taken from his smooth and relatively easy-going personality, while Marauder is a clear reference to his ancestor.
==Biography==
===Early Life===
Calico has been sailing as a Pirate Captain since he was incredibly young, with Tewkid as his first mate. Pyrrah attempted to capture them as a bounty, but failed due to Lealda's intervention. Calico and his crew eventually were the targets of a allegiance between Lealda's treasonous crew-mates and another crew of Bluebloods, and they were captured. Lealda once again came to their rescue, and they fought the Bluebloods and double-crossers together. With their remaining members, they merged the two crews. During the conflict, Calico's right eye was permanently damaged.
Lealda got into contact with Skoozy at some point after they merged crews, and he replaced Calico's damaged eye.
Lealda's death was a turning point for Calico and the crew. Teals tried to blame him for their death, but Skoozy was able to get him out of it.
===Act 1===
Calico was asked by Skoozy to crash the server's very first Party, out of petty revenge since he was explicitly not invited to come. He made his first appearance by going around the party gathering dirt on everyone present, then stirring drama up within all of the different groups there. He caused the party to become complete pandemonium before their ship finally crashed into the building, releasing Tewkid & the rest of the crew into the mayhem. They then began badgering and fucking with people in real time, before eventually heading off.
===Act 2===
After Skoozy lost his arm, Calico set something up with Shikki to get him a metal prosthetic. They met at the docks of an undisclosed location and Shikki worked on his arm there. They had a silly little fist bunp to break in Skoozy's new arm, and Calico offered to let Skoozy come aboard the ship any time, if he needed somewhere to hide away.
Calico and Tewkid joined the server shortly after this, though Calico hardly ever speaks.
===Act 3?===
Calico lives his life as a pirate captain with hardly any time for the chat. He appears only online only when someone is dming him (usually Skoozy) or to back Tewkid up. Calico was always warning Tewkid not to get close to the chat members, and his worry that they would affect Tewkid in some way was one of the only things that kept him checking up on the chat.
He knew that Tewkid was starting to go behind his back though, and began watching him closer. When Tewkid began to leave for the beach party, Calico was waiting on the docks for him. As Tewkid played off his involvement in the chat, Calico opened a voicemail of Mabuya being incredibly anxious and worried over him. Calico and Tewkid went back and forth, Calico stressing that Tewkid didn't know how to read trolls intent like he did. Tewkid asked Calico to have faith in him, but Calico refused, and Tewkid was forced to have him tag along to the beach trip.
===Act?===
Calico caught the end of The Fight, and thus realized that Tewkid's ancestor was the Deceiver. He did't know what to do with Tewkid, and although he was incredibly upset, still brought Tewkid back to the ship.
A day or so after they return, Calico confronted Tewkid about his ancestor once again. Calico started to question everything he knew about Tewkid because of that revelation, and said some nasty things to him. Their talk was interrupted by Pyrrah, her and her crew suddenly laying siege to the Lealda's Dream. When they captured Kurien, he gave himself up in a trade.
As Pyrrah's captive, he spent most of his days idly, mostly sleeping and biding his time. He didn't eat much. At one point he had an argument with Pyrrah, and her lusus liked to come in and chat with him, to which he mostly acted rather rudely towards.
While imprisoned, he had a nightmare about Lealda, and because of an off hand remark Pyrrah made, started to delude himself into thinking she was responsible for Lealda's death.
==Personality and Traits==
Calico is a guy that, on a general basis, takes it pretty easy. He's incredibly loyal, both to those who he fully trusts and to his beliefs. He can easily enact brutality without any remorse. He's very manipulative and a talented actor. He's soooo cooooool. He has a bit of a weird sense of humor, but he does have one! Though he doesn't tend to show much emotion on his face, nor in his tone.
Calico is incredibly obsessed with the legacy of Ancestors. His ancestor is the
==Relationships==
===[[Tewkid Bownes|Tewkid]]===
Tewkid was Calico's closest friend and confidante. He would go through thick and thin for Tewkid, sacrifice anything for him... Tewkid is the person that Calico has known the longest, and probably the one who knows him the best. He was, for a long time, the most important person in Calico's life.
After the Fight, Calico found out that Tewkid was The Deceiver's descendant, and did a complete 180 on him. If not for their prior relationship, Calico would have killed him where he stood, but he was unsure of what to do. Tensions rose on board until Calico finally confronted Tewkid once more about his ancestor, and implied he was going to kick Tewkid from the ship before Pyrrah attacked them and Calico was kidnapped. They have not communicated since.
===[[Skoozy Mcribb|Skoozy]]===
Skoozy had been a close friend of Calico's for a long time. Sometime between Skoozy replacing his eye while they were kids and helping him out with the teals after Lealda's death, they managed to form quite a strong bond. Calico is aware that Skoozy was not a good individual, but he isn't entirely aware of how despicable Skoozy could really get. Calico respected Skoozy's hustle and didn't get into his business. He thought very highly of Skoozy and found him incredibly capable, if not a bit like a cockroach in his weird ability to get out of most situations he really should not have... well, until he died, anyway. He mostly just genuinely enjoyed being around Skoozy whenever the two were able to meet up, and talking to him online(especially to send him things that he thought Skoozy would like... say, edited memes of injured detectives). Calico already held a deep distaste for the chatroom before Skoozy's death, but after it ramped up to a true hatred for the chat.
Calico really dug the mullet.
====[[Salang Lyubov|Venus]]====
====[[Pyrrah Kappen|Pyrrah]]====
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
da70a94169435a46afdf4e04f1fb25a3da172e36
1089
1088
2023-11-06T12:40:30Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Calico Drayke''', also known by his [[Moonbounce|Moonbounce]] tag, '''languidMarauder''', is one of the major pirate characters and a minor antagonist at times in [[Re:Symphony]]. His sign is Aquiun and he is the Captain upon the ''[[Lealda's Dream]]''.
He joined the server on 9/22/2021, after finding a message in a bottle that contained the link to the server, along with [[Tewkid Bownes|Tewkid]].
==Etymology==
"Calico" was taken from the first name of the pirate "Calico Jack" and "Drayke" comes from the surname of the pirate "Francis Drake".
Languid, from his username, is taken from his smooth and relatively easy-going personality, while Marauder is a clear reference to his ancestor.
==Biography==
===Early Life===
Calico has been sailing as a Pirate Captain since he was incredibly young, with Tewkid as his first mate. Pyrrah attempted to capture them as a bounty, but failed due to Lealda's intervention. Calico and his crew eventually were the targets of an allegiance between Lealda's treasonous crewmates and a crew of Bluebloods, and they were captured. Lealda once again came to their rescue, and they fought the Bluebloods and double-crossers together. With their remaining members, they merged the two crews. During the conflict, Calico's right eye was permanently damaged.
Lealda got into contact with Skoozy at some point after they merged crews, and he replaced Calico's damaged eye.
Lealda's death was a turning point for Calico and the crew. Teals tried to blame him for their death, but Skoozy was able to get him out of it.
===Act 1===
Calico was asked by Skoozy to crash the server's very first Party, out of petty revenge since he was explicitly not invited to come. He made his first appearance by going around the party gathering dirt on everyone present, then stirring drama up within all of the different groups there. He caused the party to become complete pandemonium before their ship finally crashed into the building, releasing Tewkid & the rest of the crew into the mayhem. They then began badgering and fucking with people in real time, before eventually heading off.
===Act 2===
After Skoozy lost his arm, Calico set something up with Shikki to get him a metal prosthetic. They met at the docks of an undisclosed location and Shikki worked on his arm there. They had a silly little fist bunp to break in Skoozy's new arm, and Calico offered to let Skoozy come aboard the ship any time, if he needed somewhere to hide away.
Calico and Tewkid joined the server shortly after this, though Calico hardly ever speaks.
===Act 3?===
Calico lives his life as a pirate captain with hardly any time for the chat. He appears online only when someone is dming him (usually Skoozy) or to back Tewkid up. Calico was always warning Tewkid not to get close to the chat members, and his worry that they would affect Tewkid in some way was one of the only things that kept him checking up on the chat.
He knew that Tewkid was starting to go behind his back though, and began watching him closer. When Tewkid began to leave for the beach party, Calico was waiting on the docks for him. As Tewkid played off his involvement in the chat, Calico opened a voicemail of Mabuya being incredibly anxious and worried over him. Calico and Tewkid went back and forth, Calico stressing that Tewkid didn't know how to read trolls intent like he did. Tewkid asked Calico to have faith in him, but Calico refused, and Tewkid was forced to have him tag along to the beach trip.
===Act?===
Calico caught the end of The Fight, and thus realized that Tewkid's ancestor was the Deceiver. He did't know what to do with Tewkid, and although he was incredibly upset, still brought Tewkid back to the ship.
A day or so after they return, Calico confronted Tewkid about his ancestor once again. Calico started to question everything he knew about Tewkid because of that revelation, and said some nasty things to him. Their talk was interrupted by Pyrrah, her and her crew suddenly laying siege to the Lealda's Dream. When they captured Kurien, he gave himself up in a trade.
As Pyrrah's captive, he spent most of his days idly, mostly sleeping and biding his time. He didn't eat much. At one point he had an argument with Pyrrah, and her lusus liked to come in and chat with him, to which he mostly acted rather rudely towards.
While imprisoned, he had a nightmare about Lealda, and because of an off hand remark Pyrrah made, started to delude himself into thinking she was responsible for Lealda's death.
==Personality and Traits==
Calico is a guy that, on a general basis, takes it pretty easy. He's incredibly loyal, both to those who he fully trusts and to his beliefs. He can easily enact brutality without any remorse. He's very manipulative and a talented actor. He's soooo cooooool. He has a bit of a weird sense of humor, but he does have one! Though he doesn't tend to show much emotion on his face, nor in his tone.
Calico is incredibly obsessed with the legacy of Ancestors. His ancestor is the
==Relationships==
===[[Tewkid Bownes|Tewkid]]===
Tewkid was Calico's closest friend and confidante. He would go through thick and thin for Tewkid, sacrifice anything for him... Tewkid is the person that Calico has known the longest, and probably the one who knows him the best. He was, for a long time, the most important person in Calico's life.
After the Fight, Calico found out that Tewkid was The Deceiver's descendant, and did a complete 180 on him. If not for their prior relationship, Calico would have killed him where he stood, but he was unsure of what to do. Tensions rose on board until Calico finally confronted Tewkid once more about his ancestor, and implied he was going to kick Tewkid from the ship before Pyrrah attacked them and Calico was kidnapped. They have not communicated since.
===[[Skoozy Mcribb|Skoozy]]===
Skoozy had been a close friend of Calico's for a long time. Sometime between Skoozy replacing his eye while they were kids and helping him out with the teals after Lealda's death, they managed to form quite a strong bond. Calico is aware that Skoozy was not a good individual, but he isn't entirely aware of how despicable Skoozy could really get. Calico respected Skoozy's hustle and didn't get into his business. He thought very highly of Skoozy and found him incredibly capable, if not a bit like a cockroach in his weird ability to get out of most situations he really should not have... well, until he died, anyway. He mostly just genuinely enjoyed being around Skoozy whenever the two were able to meet up, and talking to him online(especially to send him things that he thought Skoozy would like... say, edited memes of injured detectives). Calico already held a deep distaste for the chatroom before Skoozy's death, but after it ramped up to a true hatred for the chat.
Calico really dug the mullet.
====[[Salang Lyubov|Venus]]====
====[[Pyrrah Kappen|Pyrrah]]====
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
78f4fb99f953c2ceffb5909870e36d9c88f36d4b
Calico Drayke
0
2
1090
1089
2023-11-06T12:42:51Z
Onepeachymo
2
wikitext
text/x-wiki
{{/Infobox}}
'''Calico Drayke''', also known by his [[Moonbounce|Moonbounce]] tag, '''languidMarauder''', is one of the major pirate characters and a minor antagonist at times in [[Re:Symphony]]. His sign is Aquiun and he is the Captain upon the ''[[Lealda's Dream]]''.
He joined the server on 9/22/2021, after finding a message in a bottle that contained the link to the server, along with [[Tewkid Bownes|Tewkid]].
==Etymology==
"Calico" was taken from the first name of the pirate "Calico Jack" and "Drayke" comes from the surname of the pirate "Francis Drake".
Languid, from his username, is taken from his smooth and relatively easy-going personality, while Marauder is a clear reference to his ancestor.
==Biography==
===Early Life===
Calico has been sailing as a Pirate Captain since he was incredibly young, with Tewkid as his first mate. Pyrrah attempted to capture them as a bounty, but failed due to Lealda's intervention. Calico and his crew eventually were the targets of an allegiance between Lealda's treasonous crewmates and a crew of Bluebloods, and they were captured. Lealda once again came to their rescue, and they fought the Bluebloods and double-crossers together. With their remaining members, they merged the two crews. During the conflict, Calico's right eye was permanently damaged.
Lealda got into contact with Skoozy at some point after they merged crews, and he replaced Calico's damaged eye.
Lealda's death was a turning point for Calico and the crew. Teals tried to blame him for their death, but Skoozy was able to get him out of it.
===Act 1===
Calico was asked by Skoozy to crash the server's very first Party, out of petty revenge since he was explicitly not invited to come. He made his first appearance by going around the party gathering dirt on everyone present, then stirring drama up within all of the different groups there. He caused the party to become complete pandemonium before their ship finally crashed into the building, releasing Tewkid & the rest of the crew into the mayhem. They then began badgering and fucking with people in real time, before eventually heading off.
===Act 2===
After Skoozy lost his arm, Calico set something up with Shikki to get him a metal prosthetic. They met at the docks of an undisclosed location and Shikki worked on his arm there. They had a silly little fist bunp to break in Skoozy's new arm, and Calico offered to let Skoozy come aboard the ship any time, if he needed somewhere to hide away.
Calico and Tewkid joined the server shortly after this, though Calico hardly ever speaks.
===Act 3?===
Calico lives his life as a pirate captain with hardly any time for the chat. He appears online only when someone is dming him (usually Skoozy) or to back Tewkid up. Calico was always warning Tewkid not to get close to the chat members, and his worry that they would affect Tewkid in some way was one of the only things that kept him checking up on the chat.
He knew that Tewkid was starting to go behind his back though, and began watching him closer. When Tewkid began to leave for the beach party, Calico was waiting on the docks for him. As Tewkid played off his involvement in the chat, Calico opened a voicemail of Mabuya being incredibly anxious and worried over him. Calico and Tewkid went back and forth, Calico stressing that Tewkid didn't know how to read trolls intent like he did. Tewkid asked Calico to have faith in him, but Calico refused, and Tewkid was forced to have him tag along to the beach trip.
===Act?===
Calico caught the end of The Fight, and thus realized that Tewkid's ancestor was the Deceiver. He did't know what to do with Tewkid, and although he was incredibly upset, still brought Tewkid back to the ship.
A day or so after they return, Calico confronted Tewkid about his ancestor once again. Calico started to question everything he knew about Tewkid because of that revelation, and said some nasty things to him. Their talk was interrupted by Pyrrah, her and her crew suddenly laying siege to the Lealda's Dream. When they captured Kurien, he gave himself up in a trade.
As Pyrrah's captive, he spent most of his days idly, mostly sleeping and biding his time. He didn't eat much. At one point he had an argument with Pyrrah, and her lusus liked to come in and chat with him, to which he mostly acted rather rudely towards.
While imprisoned, he had a nightmare about Lealda, and because of an off hand remark Pyrrah made, started to delude himself into thinking she was responsible for Lealda's death.
==Personality and Traits==
Calico is a guy that, on a general basis, takes it pretty easy. He's incredibly loyal, both to those who he fully trusts and to his beliefs. He can easily enact brutality without any remorse. He's very manipulative and a talented actor. He's soooo cooooool. He has a bit of a weird sense of humor, but he does have one! Though he doesn't tend to show much emotion on his face, nor in his tone.
Calico is incredibly obsessed with the legacy of Ancestors. His ancestor is the
==Relationships==
===[[Tewkid Bownes|Tewkid]]===
Tewkid was Calico's closest friend and confidante. He would go through thick and thin for Tewkid, sacrifice anything for him... Tewkid is the person that Calico has known the longest, and probably the one who knows him the best. He was, for a long time, the most important person in Calico's life.
After the Fight, Calico found out that Tewkid was The Deceiver's descendant, and did a complete 180 on him. If not for their prior relationship, Calico would have killed him where he stood, but he was unsure of what to do. Tensions rose on board until Calico finally confronted Tewkid once more about his ancestor, and implied he was going to kick Tewkid from the ship before Pyrrah attacked them and Calico was kidnapped. They have not communicated since.
===[[Skoozy Mcribb|Skoozy]]===
Skoozy had been a close friend of Calico's for a long time. Sometime between Skoozy replacing his eye while they were kids and helping him out with the teals after Lealda's death, they managed to form quite a strong bond. Calico is aware that Skoozy was not a good individual, but he isn't entirely aware of how despicable Skoozy could really get. Calico respected Skoozy's hustle and didn't get into his business. He thought very highly of Skoozy and found him incredibly capable, if not a bit like a cockroach in his weird ability to get out of most situations he really should not have... well, until he died, anyway. He mostly just genuinely enjoyed being around Skoozy whenever the two were able to meet up, and talking to him online(especially to send him things that he thought Skoozy would like... say, edited memes of injured detectives). Calico already held a deep distaste for the chatroom before Skoozy's death, but after it ramped up to a true hatred for the chat.
Calico really dug the mullet.
===[[Salang Lyubov|Venus]]===
===[[Pyrrah Kappen|Pyrrah]]===
==Trivia==
==Gallery==
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
959231ec9d85344d541040151e5689dc8a271589
Ponzii ??????/Infobox
0
109
1091
1043
2023-11-07T01:30:51Z
Wowzersbutnot
5
wikitext
text/x-wiki
{{Character Infobox
|name = Ponzii ??????
|symbol = [[File:Taurlo.png|32px]]
|symbol2 = [[File:Aspect_Heart.png|32px]]
|complex = [[File:Ponzii Sprite.png]]
|caption = {{RS quote|bronzeblood|and t#en i wink at t#e camera}}
|intro =
|title = {{Classpect|Heart|Thief}}
|age = {{Age|8.7}}
|gender = Any (Nonbinary)
|status = Alive
|screenname = acquisitiveSupreme
|style = Does not give a fuck about spelling,grammar,punctuation. also replaces 'h' with #.
|specibus = Daggerkind
|modus = Memory
|relations = [[Character you want to Link to’s URL Name|{{RS quote|Red|Cherie}}]]✝ - [[Matesprit|Matesprit]] </br>
[[Character you want to Link to’s URL Name|{{RS quote|Bronzeblood|The Merchant}}]] - [[Ancestors|Ancestor]]
|planet = Land of Affection and Roses
|likes = Money, Shiny Things
|dislikes = Sand
|aka = {{RS quote|purpleblood|Ponz}} ([[Siette Aerien|Siette]]), <br />
{{RS quote|greenblood|Zii}} ([[Anicca Shivuh|Anicca]]), <br />
{{RS quote|yellowblood|Pawnshop}} ([[Skoozy Mcribb|Skoozy]]), <br />
|creator = Wowz}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
934f531feece5880dcda9ff24b06706b7f54e80b
Siette Aerien
0
6
1092
1071
2023-11-07T19:30:53Z
HowlingHeretic
3
wikitext
text/x-wiki
{{DISPLAYTITLE:Siette Aerien}}
{{/Infobox}}
'''Siette Aerien''', also known by her [[Moonbounce]] handle {{RS quote|purpleblood|balefulAcrobat}} , is one of the [[troll]]s in ''[[Re:Symphony]]''. Her sign is true Capricorn, and she is a Witch of Rage. She is an aerial silk dancer.
Siette joined the server on 8/20/2021. She found a piece of paper with the link written on it tucked into her silks.
==Etymology==
Siette's first name comes from the word, "slette," which means to eradicate, or remove. Originally, her name was Slette, but after a misread, the name was changed to Siette for better readability. Her last name, Aerien, is an altered version of aerial, which is in reference to her aerial silk performance in the circus.
Siette's chat handle, balefulAcrobat, means "killer clown." Baleful, in this context, is used with the definition of, "Harmful or malignant in intent or effect. " Acrobat here is used with the in-universe context of most- if not all -circus performers being Purple bloods. Siette, while efficient, is not known for her subtlety.
==Biography==
===Early Life===
Siette was adopted by a troll only known as the Priestess, following her discovering her and her lusus. Siette's lusus, affectionately named Lily, was beaten and bloody, presumably found after a battle defending grub-Siette. Siette was raised in the church, under the close tutelage of her Priestess. Siette was taught the ways of the Mirthful Messiahs, and was trained to be an efficient killer. Siette performed part-time in a circus as well, as an [https://en.wikipedia.org/wiki/Aerial_silk aerial silk dancer]
===Act 1===
Siette joined the chatroom out of boredom, upon finding the link written on a slip of paper that had been tucked into her silks. Siette found entertainment in the chatroom, finding the other members to be funny enough for her. In the early days, Siette was summoned by her Priestess for a sacrifice. Siette used her psionics to mind-control another troll, simply named Red, and bring him to the Church's execution chamber. She killed him at the behest of her Priestess, though she's shown to feel some remorse afterwards.
Siette enjoyed the chatroom, consistently engaging when bored. Siette, at this point in time, is still a firm believer of the Church, and faces opposition in her fellow clowns, Harfil and Ravi. She does not get off on the good foot with them, and initially starts out disliking Ravi. This, however, did not stop her from inquiring about what she might have done that got Looksi and Barise's attention, after the two tealbloods were talking about Ravi in the main chatroom.
Siette rampantly flirts with Mabuya, finding her key-smashing and blushing emoticons to be ample reward for her pursuit. Skoozy openly shares Mabuya's name with the chatroom, and Siette threatens him in DMs in turn. Siette comforts Mabuya, and Mabuya asks Siette to tell her if she ever does anything wrong. Siette says, {{RS quote|purpleblood|i dont 533 that 3v3r b3ing a po55ibility, but of cour53.}}
When Guppie, Venus, Ambysa, and Looksi went to meet Myrkri, she tagged along for entertainment. Upon Myrkri attacking Guppie, Siette hit Myrkri in her wrist with her whip. When that didn't deter her, they charged and tackled Mykri away from Guppie, restraining them so the others could ask questions. Siette now regrets saving Guppie.
Siette attends the party along with the bulk of the chatroom. Siette flirts with Mabuya for a moment in front of the venue, mingling with Mavrik and Supyne as well, before heading in and proceeding to zone out extremely hard. Siette had a sopor slime pie before entering the party, and missed a lot of it. As she comes to, she witnesses Clarity entering the party, and excitedly messages Mabuya about it. She eventually heads back out and asks Mabuya for a dance, and Mabuya acquiesces, taking Siette's hand and following her inside. The two have a nice waltz. They both say they want to continue seeing one another.
As the two dance, Ravi and Calico also begin to dance closer, discussing their distaste of the church in Siette's earshot. Upon seeing a desperate look from Mavrik, and hearing the conversation in earnest herself, she sends Mabuya outside with Mavrik. Calico quickly absconds. Siette and Ravi begin to argue, and it quickly devolves into a fight between the two. They both get decent licks in, and before Siette can get a real leg-up in the fight by stomping Ravi's head, Venili steps in and not only stops Siette's psionics, but knocks her out as well.
Siette awakens at the sound of a crash, and absconds from the party. She whistles from her limo, and as they drive away she thinks to herself that the party was only worth it for Mabuya.
===Act 2===
==Personality and Traits==
==Relationships==
* [[Mabuya_Arnava|Mabuya Arnava]] was Siette's matesprit. Siette first reached out to Mabuya after [[Skoozy_Mcribb|Skoozy]] had antagonized her in the main chatroom. She offered protect her from people being rude to her, she would {{RS quote|purpleblood|5hut 3m up clown 5tyl3.}} They met in person at Guppie's Party, and Siette had Mavrik take Mabuya outside so she wouldn't see Siette fight with [[Ravial_Orande|Ravi]]. After a various series of courtship through DMs and in the main chatroom, Siette invited Mabuya over to her hive. Siette had baked a strawberry cake for Mabuya, and written {{RS quote|purpleblood|mabby will you b3 my mat35prit}} on it in frosting. The two were matesprits until Mabuya stopped replying to Siette's messages.
* [[Anyaru_Servus|Anyaru Servus]] is Siette's personal assistant. While Annie has flushed feelings for Siette, Siette herself views their relationship as purely transactional. Annie completes Siette's requests, and she pays her in turn. Siette does not consider the two to be friends.
* [[Poppie_Toppie|Poppie Toppie]] is Siette's current pitch crush. Siette seeks to murder Poppie a million times over.
==Trivia==
==Gallery==
<gallery widths=200px heights=150px>
File:Siette_Aerien_Fancy.png|The outfit Siette wore to [[Guppie_Suamui|{{RS quote|violetblood|Guppie Suami's}}]] party.
File:Siette_Aerien_Performance.png|Siette's performance outfit
File:Siette_Aerien_Prospit.png|Siette's prospit outfit
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
b070e8c2bd7b6f0d585465abe554adb8b15e04b4
1109
1092
2023-11-13T19:14:57Z
HowlingHeretic
3
wikitext
text/x-wiki
{{DISPLAYTITLE:Siette Aerien}}
{{/Infobox}}
'''Siette Aerien''', also known by her [[Moonbounce]] handle {{RS quote|purpleblood|balefulAcrobat}} , is one of the [[troll]]s in ''[[Re:Symphony]]''. Her sign is true Capricorn, and she is a Witch of Rage. She is an aerial silk dancer.
Siette joined the server on 8/20/2021. She found a piece of paper with the link written on it tucked into her silks.
==Etymology==
Siette's first name comes from the word, "slette," which means to eradicate, or remove. Originally, her name was Slette, but after a misread, the name was changed to Siette for better readability. Her last name, Aerien, is an altered version of aerial, which is in reference to her aerial silk performance in the circus.
Siette's chat handle, balefulAcrobat, means "killer clown." Baleful, in this context, is used with the definition of, "Harmful or malignant in intent or effect. " Acrobat here is used with the in-universe context of most- if not all -circus performers being Purple bloods. Siette, while efficient, is not known for her subtlety.
==Biography==
===Early Life===
Siette was adopted by a troll only known as the Priestess, following her discovering her and her lusus. Siette's lusus, affectionately named Lily, was beaten and bloody, presumably found after a battle defending grub-Siette. Siette was raised in the church, under the close tutelage of her Priestess. Siette was taught the ways of the Mirthful Messiahs, and was trained to be an efficient killer. Siette performed part-time in a circus as well, as an [https://en.wikipedia.org/wiki/Aerial_silk aerial silk dancer]
===Act 1===
Siette joined the chatroom out of boredom, upon finding the link written on a slip of paper that had been tucked into her silks. Siette found entertainment in the chatroom, finding the other members to be funny enough for her. In the early days, Siette was summoned by her Priestess for a sacrifice. Siette used her psionics to mind-control another troll, simply named Red, and bring him to the Church's execution chamber. She killed him at the behest of her Priestess, though she's shown to feel some remorse afterwards.
Siette enjoyed the chatroom, consistently engaging when bored. Siette, at this point in time, is still a firm believer of the Church, and faces opposition in her fellow clowns, Harfil and Ravi. She does not get off on the good foot with them, and initially starts out disliking Ravi. This, however, did not stop her from inquiring about what she might have done that got Looksi and Barise's attention, after the two tealbloods were talking about Ravi in the main chatroom.
Siette rampantly flirts with Mabuya, finding her key-smashing and blushing emoticons to be ample reward for her pursuit. Skoozy openly shares Mabuya's name with the chatroom, and Siette threatens him in DMs in turn. Siette comforts Mabuya, and Mabuya asks Siette to tell her if she ever does anything wrong. Siette says, {{RS quote|purpleblood|i dont 533 that 3v3r b3ing a po55ibility, but of cour53.}}
When Guppie, Venus, Ambysa, and Looksi went to meet Myrkri, she tagged along for entertainment. Upon Myrkri attacking Guppie, Siette hit Myrkri in her wrist with her whip. When that didn't deter her, they charged and tackled Mykri away from Guppie, restraining them so the others could ask questions. Siette now regrets saving Guppie.
Siette attends the party along with the bulk of the chatroom. Siette flirts with Mabuya for a moment in front of the venue, mingling with Mavrik and Supyne as well, before heading in and proceeding to zone out extremely hard. Siette had a sopor slime pie before entering the party, and missed a lot of it. As she comes to, she witnesses Clarity entering the party, and excitedly messages Mabuya about it. She eventually heads back out and asks Mabuya for a dance, and Mabuya acquiesces, taking Siette's hand and following her inside. The two have a nice waltz. They both say they want to continue seeing one another.
As the two dance, Ravi and Calico also begin to dance closer, discussing their distaste of the church in Siette's earshot. Upon seeing a desperate look from Mavrik, and hearing the conversation in earnest herself, she sends Mabuya outside with Mavrik. Calico quickly absconds. Siette and Ravi begin to argue, and it quickly devolves into a fight between the two. They both get decent licks in, and before Siette can get a real leg-up in the fight by stomping Ravi's head, Venili steps in and not only stops Siette's psionics, but knocks her out as well.
Siette awakens at the sound of a crash, and absconds from the party. She whistles from her limo, and as they drive away she thinks to herself that the party was only worth it for Mabuya.
===Act 2===
==Personality and Traits==
==Relationships==
* [[Mabuya_Arnava|Mabuya Arnava]] was Siette's matesprit. Siette first reached out to Mabuya after [[Skoozy_Mcribb|Skoozy]] had antagonized her in the main chatroom. She offered protect her from people being rude to her, she would {{RS quote|purpleblood|5hut 3m up clown 5tyl3.}} They met in person at Guppie's Party, and Siette had Mavrik take Mabuya outside so she wouldn't see Siette fight with [[Ravial_Orande|Ravi]]. After a various series of courtship through DMs and in the main chatroom, Siette invited Mabuya over to her hive. Siette had baked a strawberry cake for Mabuya, and written {{RS quote|purpleblood|mabby will you b3 my mat35prit}} on it in frosting. The two were matesprits until Mabuya stopped replying to Siette's messages.
* [[Anyaru_Servus|Anyaru Servus]] is Siette's personal assistant. While Annie has flushed feelings for Siette, Siette herself views their relationship as purely transactional. Annie completes Siette's requests, and she pays her in turn. Siette does not consider the two to be friends.
* [[Poppie_Toppie|Poppie Toppie]] is Siette's current pitch crush. Siette seeks to murder Poppie a million times over.
* [[Looksi_Gumshu|Looksi Gumshu]] was a close friend of Siette's. He took her in when she was scared of her church. The two grew closer and developed a pseudo father-daughter dynamic.
==Trivia==
==Gallery==
<gallery widths=200px heights=150px>
File:Siette_Aerien_Fancy.png|The outfit Siette wore to [[Guppie_Suamui|{{RS quote|violetblood|Guppie Suami's}}]] party.
File:Siette_Aerien_Performance.png|Siette's performance outfit
File:Siette_Aerien_Prospit.png|Siette's prospit outfit
</gallery>
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
03981cd4b330e8a734fd5574b7c038de17c934f0
File:Poppie toppie.png
6
542
1093
2023-11-07T21:19:27Z
Katabasis
6
some sort of fucking thing
wikitext
text/x-wiki
== Summary ==
some sort of fucking thing
e8fb88de277d75d985bc2938b4d6f5b14a023d81
Poppie Toppie/infobox
0
87
1094
739
2023-11-07T21:20:01Z
Katabasis
6
wikitext
text/x-wiki
{{Character Infobox
|name = Poppie Toppie
|symbol = [[File:Poppiesign.png|32px]]
|symbol2 = [[File:Aspect_Blood.png|32px]]
|complex = [[File:poppie_toppie.png]]
|caption = {{RS quote|#3B00FF| slorry :(}}
|intro = Yesterday
|title = {{Classpect|Blood|Thief}}
|age = {{Age|8}}
|gender = It/its (Thing)
|status = Undead
|screenname = exigentWhirligig
|style = Capitalises and strikethroughs Ms and Cs. Makes spelling errors. Says "Slorry".
|specibus = Fangkind
|modus = Whirligig
|relations = [[The Wretched|{{RS quote|#3B00FF|The Wretched}}]] - [[Ancestors|Ancestor]]
|planet = Land of Pain and Sluffering
|likes = Blood, warmth, being touched or embraced, or maybe a little kissy maybe, [[Guppie Suamui|{{RS quote|violetblood|Guppie Suamui}}]]
|dislikes = The Agonies, [[Siette Aerien|{{RS quote|purpleblood|Siette Aerien}}]] (Scary)
|aka = World's Most Bleeding Animal
|creator = [[User:Katabasis]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
1851ab425744802178a3e13edf8a99eff10db730
1106
1094
2023-11-08T14:42:31Z
Katabasis
6
wikitext
text/x-wiki
{{Character Infobox
|name = Poppie Toppie
|symbol = [[File:Poppiesign.png|32px]]
|symbol2 = [[File:Aspect_Blood.png|32px]]
|complex = [[File:poppie_toppie.png]]
|caption = {{RS quote|#3B00FF| slorry :(}}
|intro = 19/10/23
|title = {{Classpect|Blood|Thief}}
|age = {{Age|8}}
|gender = It/its (Thing)
|status = Undead
|screenname = exigentWhirligig
|style = Capitalises and strikethroughs Ms and Cs. Makes spelling errors. Says "Slorry".
|specibus = Fangkind
|modus = Whirligig
|relations = [[The Wretched|{{RS quote|#3B00FF|The Wretched}}]] - [[Ancestors|Ancestor]]
|planet = Land of Pain and Sluffering
|dislikes = The Agonies, [[Siette Aerien|{{RS quote|purpleblood|Siette Aerien}}]] (Scary)
|likes = Blood, warmth, being touched or embraced, or maybe a little kissy maybe, [[Guppie Suamui|{{RS quote|violetblood|Guppie Suamui}}]]
|aka = World's Most Bleeding Animal
|creator = [[User:Katabasis]]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
effdd0db1f938295b1d4d9237ad8a134f5bfc6da
Poppie Toppie
0
21
1095
274
2023-11-07T21:34:33Z
Katabasis
6
wikitext
text/x-wiki
{{/infobox}}
== Poppie Toppie ==
Poppie Toppie is a predatory [[Rainbowdrinker]] who usually feeds from the weak, inebriated, or physically disabled. It is (debatably) a minor villain in [[RE:Symphony]], but it may just be a normal sort of creep or weirdo.
It deserves it. Mostly.
==Etymology==
Poppie is a corruption of Poppy, which is my name. Toppie comes because it rhymes with 'Sloppy Toppy', because they canonically give insane head - mainly because of the vampire teeth.
==Biography==
===== Act 1 =====
I haven't thought about it.
===== Act ??? =====
* Got attacked by [[Siette Aerien]] during one of her murder sabbaticals in Trollkyo. Due to their rainbowdrinker survivability, they lived this attack, meaning that Siette's job went unfinished.
* Joined the chat in an attempt to seek medical help.
* Realised that Siette was also in the chat. Panicked.
* Tried, and failed, to become friends with [[Guippie Suamui]].
* Attended [[Harfil Myches]]'s hive to sell him blood. Apparently, theirs is delicious, and highly potent.
* Stared creepily at the unconscious bodies of [[Ponzii]] and [[Borfix Mopolb]].
* Made friends with [[Glitzz]].
* Was confronted by Siette, who correctly assessed that Poppie was someone she'd failed to kill, and declared her intent to murderfuck Poppie in a concerning manner. {{RS quote|purpleblood|i dont l3av3 a job unfini5hed}}.
==Personality and Traits==
Creepy, and deceptive. Generally fairly pathetic. More resilient than you'd think.
==Relationships==
* Is subject to a pitch crush from [[Siette Aerien]]. Unfortunately, this ''is'' reciprocated, which is no good for anyone involved.
* Inexplicably, friends with [[Guppie Suamui]], [[Harfil Myches]], and [[Glitzz]].
* [[Knight Galfry]] thinks that they are weird as hell.
==Trivia==
* Bleeds a lot. Has Hemophilia and Anemia.
* Delicious bloods.
* 4'6.
==Gallery==
[[File:Poppieplaceholder.png|thumb|Poppie about to get stabbed by their future pitch crush. Man, this relationship is gonna suck.]]
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
9a9ff36026f43264208ecfaceb5f49d1797e2781
1096
1095
2023-11-07T21:37:18Z
Katabasis
6
wikitext
text/x-wiki
{{/infobox}}
== Poppie Toppie ==
Poppie Toppie is a predatory [[Rainbowdrinker]] who usually feeds from the weak, inebriated, or physically disabled. It is (debatably) a minor villain in [[RE:Symphony]], but it may just be a normal sort of creep or weirdo.
It deserves it. Mostly.
==Etymology==
Poppie is a corruption of Poppy, which is my name. Toppie comes because it rhymes with 'Sloppy Toppy', because they canonically give insane head - mainly because of the vampire teeth.
==Biography==
===== Act 1 =====
I haven't thought about it.
===== Act ??? =====
* Got attacked by [[Siette Aerien]] during one of her murder sabbaticals in Trollkyo. Due to their rainbowdrinker survivability, they lived this attack, meaning that Siette's job went unfinished.
* Joined the chat in an attempt to seek medical help.
* Realised that Siette was also in the chat. Panicked.
* Tried, and failed, to become friends with [[Guippie Suamui]].
* Attended [[Harfil Myches]]'s hive to sell him blood. Apparently, theirs is delicious, and highly potent.
* Stared creepily at the unconscious bodies of [[Ponzii]] and [[Borfix Mopolb]].
* Made friends with [[Glitzz]].
* Was confronted by Siette, who correctly assessed that Poppie was someone she'd failed to kill, and declared her intent to get murderous with Poppie in a strange and concerning manner. {{RS quote|purpleblood|i dont l3av3 a job unfini5hed}}.
==Personality and Traits==
Creepy, and deceptive. Generally fairly pathetic. More resilient than you'd think.
==Relationships==
* Is subject to a pitch crush from [[Siette Aerien]]. Unfortunately, this ''is'' reciprocated, which is no good for anyone involved.
* Inexplicably, friends with [[Guppie Suamui]], [[Harfil Myches]], and [[Glitzz]].
* [[Knight Galfry]] thinks that they are weird as hell.
==Trivia==
* Bleeds a lot. Has Hemophilia and Anemia.
* Delicious bloods.
* 4'6.
==Gallery==
[[File:Poppieplaceholder.png|thumb|Poppie about to get stabbed by their future pitch crush. Man, this relationship is gonna suck.]]
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
f31255a484f01bda781002ae9cc00813afdb4a9b
1105
1096
2023-11-08T14:40:10Z
Katabasis
6
/* Etymology */
wikitext
text/x-wiki
{{/infobox}}
== Poppie Toppie ==
Poppie Toppie is a predatory [[Rainbowdrinker]] who usually feeds from the weak, inebriated, or physically disabled. It is (debatably) a minor villain in [[RE:Symphony]], but it may just be a normal sort of creep or weirdo.
It deserves it. Mostly.
==Etymology==
Poppie is a corruption of Poppy, which is my name. Toppie comes because it rhymes with 'Sloppy Toppy', because they canonically give insane head - mainly because of the vampire teeth.
'Exigent' is an adjective that describes something pressing or demanding. 'Whirligig' is a sort of spinning top. Neither of these two things reference anything in relation to the character - 'Exigent' was my echolaliac word-of-the-week, and Whirligig is one of many online aliases I use.
==Biography==
===== Act 1 =====
I haven't thought about it.
===== Act ??? =====
* Got attacked by [[Siette Aerien]] during one of her murder sabbaticals in Trollkyo. Due to their rainbowdrinker survivability, they lived this attack, meaning that Siette's job went unfinished.
* Joined the chat in an attempt to seek medical help.
* Realised that Siette was also in the chat. Panicked.
* Tried, and failed, to become friends with [[Guippie Suamui]].
* Attended [[Harfil Myches]]'s hive to sell him blood. Apparently, theirs is delicious, and highly potent.
* Stared creepily at the unconscious bodies of [[Ponzii]] and [[Borfix Mopolb]].
* Made friends with [[Glitzz]].
* Was confronted by Siette, who correctly assessed that Poppie was someone she'd failed to kill, and declared her intent to get murderous with Poppie in a strange and concerning manner. {{RS quote|purpleblood|i dont l3av3 a job unfini5hed}}.
==Personality and Traits==
Creepy, and deceptive. Generally fairly pathetic. More resilient than you'd think.
==Relationships==
* Is subject to a pitch crush from [[Siette Aerien]]. Unfortunately, this ''is'' reciprocated, which is no good for anyone involved.
* Inexplicably, friends with [[Guppie Suamui]], [[Harfil Myches]], and [[Glitzz]].
* [[Knight Galfry]] thinks that they are weird as hell.
==Trivia==
* Bleeds a lot. Has Hemophilia and Anemia.
* Delicious bloods.
* 4'6.
==Gallery==
[[File:Poppieplaceholder.png|thumb|Poppie about to get stabbed by their future pitch crush. Man, this relationship is gonna suck.]]
<br />
<br />
{{Navbox Trolls}}
[[Category:Trolls]]
ec2b92cee2cf01b409ebfca75f25dbb1513cd8f1
File:Quadrants Diamond.gif
6
539
1097
1078
2023-11-08T08:41:44Z
Onepeachymo
2
Onepeachymo uploaded a new version of [[File:Quadrants Diamond.gif]]
wikitext
text/x-wiki
da39a3ee5e6b4b0d3255bfef95601890afd80709
Quadrants
0
515
1098
1084
2023-11-08T08:43:45Z
Onepeachymo
2
wikitext
text/x-wiki
''These takes are brought to you in collaboration between the homestuck wiki and Peachy's own personal opinions on quadrants.''
[[File:Quadrants_Basic.gif|thumb|right]]
Quadrants make up the system of categorization for romance utilized by the [[Trolls]] on Alternia.
Troll romance is much more complicated than Human romance. While Human romance could be put into one category, Troll romance is split into four: the Flushed Quadrant, the Caliginous Quadrant, the Pale Quadrant, and the Ashen Quadrant. "Romance" is less black and white on Alternia, acting more as an umbrella term to categorize the complicated way Trolls connect through relationships, and includes quadrants that in human standards would more likely be described as "Platonic".
Troll romance is in part about the balance of emotions in a society that is incredibly geared towards violence. It's a way to stabilize a civilization that was groomed into a hierarchy that promotes oppression and needless death to those beneath you. It cultivates small pockets where trolls take care of each other when building up a community is heavily against the odds. The other part is, naturally, for reproduction. Reproduction is much like how it is in Homestuck proper but without the "Supply or Die" aspect of the drones collecting genetic material. Relationships are expected to be reported on the Troll Census and thus there you are enlisted to provide for the brood. That is all I will say on the matter. That is all anyone should say on the matter.
== Bifurcation ==
While Troll romance is split into four different quadrants, they can also be split into halves and categorized further. The top half of the Quadrants are recognized as Red Romance and the bottom half as Black Romance; the left side Concupiscent and the right side Conciliatory.
=== Red Romance ===
Strongly rooted in positive emotions. The Flushed and Pale Quadrants make up Red Romance, or Redrom.
[[File:Quadrants_bifurcation.gif|thumb|right]]
=== Black Romance ===
Strongly rooted in negative emotions. The Caliginous and Ashen Quadrants make up Black Romance, or Blackrom.
=== Concupiscent ===
Relationships that are more so associated with reproduction. The Flushed and Caliginous Quadrants are Concupiscent.
=== Conciliatory ===
Relationships that are more about regulating emotions, likened to platonic relationships. The Pale and Ashen Quadrants are Conciliatory.
== Quadrants ==
[[File:Quadrant_Heart.gif|thumb|left]]
=== Flushed ===
The Flushed Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Matesprits", and it can be referred to as a "Matespritship." The intent behind Matesprits are primarily rooted in positive emotions and the Flushed Quadrant is the closest of the four romances to Human romance. There's really not much more to be said on the matter. Love. You guys get it.
Matespritship is represented by a heart and the color {{RS quote|flushed|red}}. In text, it can be recognized as {{RS quote|flushed|♥ or <3}}.
[[File:Quadrants_Diamond.gif|thumb|right]]
=== Pale ===
The Pale Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Conciliatory" bifurcation. Two trolls in this Quadrant are called "Moirails", and can be referred to as a "Moirallegience." Moirails are the platonic ideal of a soulmate in Alternian society. It's about finding someone that balances your emotional profile, and completes you, in a way. It is finding someone you can wholly entrust and bare yourself to, and get that same vulnerability back. You keep each other in check and help maintain one another's emotional well-being, though in cases between a lowblood and highblood, the support of a highblood Moirail can be a deterrent to those who may otherwise harm the lowblood, and in which case also maintains their physical well-being.
Moirallegience is represented by a diamond and the color {{RS quote|pale|pink}}. In text, it can be recognized as {{RS quote|pale|♦ or <>}}.
[[File:Quadrant_Spade.gif|thumb|left]]
=== Caliginous ===
The Caliginous Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Kismesis", and can be referred to as a "Kismesissitude." Kismesissitude is based on a mix of attraction and annoyance, likened to a sense of rivalry. It's about the pitch feelings that are cultivated by the frustration from thinking someone is just the Absolute Fucking Worst, but still being able to see redeeming qualities in them that, if not for the bad qualities, would make that person maybe even a bit alright. Kismesissitude should not be thought of as inherently toxic just because it's tied with primarily negative feelings; if healthy, a Kismesissitude is a beneficial outlet for Trolls more violent tendencies that works off steam in a setting where you don't actually want to kill the other person. An unhealthy Kismesissitude can be incredibly dangerous for the mental well-being of a troll, however, and in that situation an Auspistice would be needed to step in.
Kismesissitude is represented by a spade and the color {{RS quote|caliginous|black}}. In text, it can be recognized as {{RS quote|caliginous|♠ or <3<}}.
[[File:Quadrants_Club.gif|thumb|right]]
=== Ashen ===
The Ashen Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Conciliatory" bifurcation. There are uniquely three trolls that participate in this Quadrant compared to the usual two, with the third troll who is regulating the other two being called the "Auspistice", and can be referred to as "Auspisticism". Auspisticism comes about when two trolls are in a particularly contentious relationship and need a mediator. This is most often found between two trolls who have not yet entered a Kismesissitude, and of which the intended goal it to keep them out of one. This is because the nature of Trolls on Alternia leads to many feuds between Trolls that left unchecked would lead to an over saturation of Kismeses and black infidelity. It can also be used to regulate a Kismesissitude that, without interference, could become unhealthy for the trolls in the relationship, or affect their relationships outside of it. In the case of vacillations, an Auspistice prevents two trolls from vacillating and committing infidelities with their other partners, if any.
Auspisticism is represented by a club and the color {{RS quote|ashen|gray}}. In text, it can be recognized as {{RS quote|ashen|♣ or c3< / o8<}}.
== Quadrant Vacillation ==
[[File:Quadrants_Vacillation.gif|thumb|right]]
There are many situations in which the complex feelings that accompany a polyamorous Quadrant system leads to a transmutative and malleable series of vacillations.
If two trolls enter an uncertain relationship where one party may feel flushed, and the other caliginous. One party will switch to match the other, but this will be followed up by many switches back and forth, a romantic tug-of-war. An Auspistice can be a very important third party in regulating a vacillation and keeping a romance stably in one Quadrant.
Relationships where one quadrant vacillates to another, if that quadrant is already filled, the troll's other quadrant is forced to flip as well. This can set off a domino effect between all troll's involved quadrants.
If you find any of this confusing, so do Trolls, as "[https://www.homestuck.com/story/2400 [they<nowiki>]</nowiki> exist in a state of almost perpetual confusion and generally have no idea what the hell is going on]."
== Canon Relationships ==
=== Matesprits ===
* [[Barise Klipse|Barise]] and [[Paluli Anriqi|Paluli]]
* [[Mabuya Arnava|Mabuya]] and [[Siette Aerien|Siette]]
* [[Awoole Fenrir|Awoole]] and [[Esceia]]
* [[Harfil Myches|Harfil]] and [[Venrot Fellix|Venrot]]
* [[Shikki Raynor|Shikki]] and [[Yolond Jasper|Yolond]]
Known Flushed Crushes:
* [[Anyaru Servus|Anyaru]] on [[Siette Aerien|Siette]]
=== Moirails ===
* [[Barise Klipse|Barise]] and [[Plaxii Arouet|Plaxii]]
* [[Patiya Sirtse|Patiya]] and [[Venili Habere|Venili]]
* [[Modrey Chienn|Modrey]] and [[Ravial Orande|Ravial]]
* [[Mabuya Arnava|Mabuya]] and [[Mavrik Notezz|Mavrik]]
Known Pale Crushes:
* [[Venrot Fellix|Venrot]] on [[Ponzii]]
=== Auspistices ===
* [[Patiya Sirtse|Patiya]] for [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]
=== Kismeses ===
* [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]. [[Patiya Sirtse|Patiya]] is their Auspistice.
* [[Awoole Fenrir|Awoole]] and [[Anyaru Servus|Anyaru]]
Known Caliginous Crushes:
* [[Knight Galfry|Knight]] on [[Aquett Aghara|Aquett]]
* [[Siette Aerien|Siette]] on [[Poppie Toppie|Poppie]], which is requited
=== Vacillations/Exceptions ===
* [[Anatta Tereme|Anatta]] and [[Anicca Shivuh|Anicca]]. Their feelings are complex and they fall somewhere between Matesprits/Moirails. They call each other girlfriends.
=== Past Relationships ===
* [[Arsene]] and [[Looksi Gumshu|Looksi]]. Matesprits/Moirails/Kismeses.
* [[Cherie]] and [[Ponzii]]
* [[Guppie Suamui|Guppie]] and [[Jeremy]]
9ac6c1cc9844c5df7fc6445ab0a462f7b74d0362
1099
1098
2023-11-08T08:45:36Z
Onepeachymo
2
wikitext
text/x-wiki
''These takes are brought to you in collaboration between the homestuck wiki and Peachy's own personal opinions on quadrants.''
[[File:Quadrants_Basic.gif|thumb|right]]
Quadrants make up the system of categorization for romance utilized by the [[Trolls]] on Alternia.
Troll romance is much more complicated than Human romance. While Human romance could be put into one category, Troll romance is split into four: the Flushed Quadrant, the Caliginous Quadrant, the Pale Quadrant, and the Ashen Quadrant. "Romance" is less black and white on Alternia, acting more as an umbrella term to categorize the complicated way Trolls connect through relationships, and includes quadrants that in human standards would more likely be described as "Platonic".
Troll romance is in part about the balance of emotions in a society that is incredibly geared towards violence. It's a way to stabilize a civilization that was groomed into a hierarchy that promotes oppression and needless death to those beneath you. It cultivates small pockets where trolls take care of each other when building up a community is heavily against the odds. The other part is, naturally, for reproduction. Reproduction is much like how it is in Homestuck proper but without the "Supply or Die" aspect of the drones collecting genetic material. Relationships are expected to be reported on the Troll Census and thus there you are enlisted to provide for the brood. That is all I will say on the matter. That is all anyone should say on the matter.
== Bifurcation ==
While Troll romance is split into four different quadrants, they can also be split into halves and categorized further. The top half of the Quadrants are recognized as Red Romance and the bottom half as Black Romance; the left side Concupiscent and the right side Conciliatory.
=== Red Romance ===
Strongly rooted in positive emotions. The Flushed and Pale Quadrants make up Red Romance, or Redrom.
[[File:Quadrants_bifurcation.gif|thumb|right]]
=== Black Romance ===
Strongly rooted in negative emotions. The Caliginous and Ashen Quadrants make up Black Romance, or Blackrom.
=== Concupiscent ===
Relationships that are more so associated with reproduction. The Flushed and Caliginous Quadrants are Concupiscent.
=== Conciliatory ===
Relationships that are more about regulating emotions, likened to platonic relationships. The Pale and Ashen Quadrants are Conciliatory.
== Quadrants ==
[[File:Quadrant_Heart.gif|thumb|left]]
=== Flushed ===
The Flushed Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Matesprits", and it can be referred to as a "Matespritship." The intent behind Matesprits are primarily rooted in positive emotions and the Flushed Quadrant is the closest of the four romances to Human romance. There's really not much more to be said on the matter. Love. You guys get it.
Matespritship is represented by a heart and the color {{RS quote|flushed|red}}. In text, it can be recognized as {{RS quote|flushed|♥ or <3}}.
[[File:Quadrants_Diamond.gif|thumb|right]]
=== Pale ===
The Pale Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Conciliatory" bifurcation. Two trolls in this Quadrant are called "Moirails", and can be referred to as a "Moirallegience." Moirails are the platonic ideal of a soulmate in Alternian society. It's about finding someone that balances your emotional profile, and completes you, in a way. It is finding someone you can wholly entrust and bare yourself to, and get that same vulnerability back. You keep each other in check and help maintain one another's emotional well-being, though in cases between a lowblood and highblood, the support of a highblood Moirail can be a deterrent to those who may otherwise harm the lowblood, and in which case also maintains their physical well-being.
Moirallegience is represented by a diamond and the color {{RS quote|pale|pink}}. In text, it can be recognized as {{RS quote|pale|♦ or <>}}.
[[File:Quadrant_Spade.gif|thumb|left]]
=== Caliginous ===
The Caliginous Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Kismesis", and can be referred to as a "Kismesissitude." Kismesissitude is based on a mix of attraction and annoyance, likened to a sense of rivalry. It's about the pitch feelings that are cultivated by the frustration from thinking someone is just the Absolute Fucking Worst, but still being able to see redeeming qualities in them that, if not for the bad qualities, would make that person maybe even a bit alright. Kismesissitude should not be thought of as inherently toxic just because it's tied with primarily negative feelings; if healthy, a Kismesissitude is a beneficial outlet for Trolls more violent tendencies that works off steam in a setting where you don't actually want to kill the other person. An unhealthy Kismesissitude can be incredibly dangerous for the mental well-being of a troll, however, and in that situation an Auspistice would be needed to step in.
Kismesissitude is represented by a spade and the color {{RS quote|caliginous|black}}. In text, it can be recognized as {{RS quote|caliginous|♠ or <3<}}.
[[File:Quadrants_Club.gif|thumb|right]]
=== Ashen ===
The Ashen Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Conciliatory" bifurcation. There are uniquely three trolls that participate in this Quadrant compared to the usual two, with the third troll who is regulating the other two being called the "Auspistice", and can be referred to as "Auspisticism". Auspisticism comes about when two trolls are in a particularly contentious relationship and need a mediator. This is most often found between two trolls who have not yet entered a Kismesissitude, and of which the intended goal it to keep them out of one. This is because the nature of Trolls on Alternia leads to many feuds between Trolls that left unchecked would lead to an over saturation of Kismeses and black infidelity. It can also be used to regulate a Kismesissitude that, without interference, could become unhealthy for the trolls in the relationship, or affect their relationships outside of it. In the case of vacillations, an Auspistice prevents two trolls from vacillating and committing infidelities with their other partners, if any.
Auspisticism is represented by a club and the color {{RS quote|ashen|gray}}. In text, it can be recognized as {{RS quote|ashen|♣ or c3< / o8<}}.
== Quadrant Vacillation ==
[[File:Quadrants_Vacillation.gif|thumb|right]]
There are many situations in which the complex feelings that accompany a polyamorous Quadrant system leads to a transmutative and malleable series of vacillations.
If two trolls enter an uncertain relationship where one party may feel flushed, and the other caliginous. One party will switch to match the other, but this will be followed up by many switches back and forth, a romantic tug-of-war. An Auspistice can be a very important third party in regulating a vacillation and keeping a romance stably in one Quadrant.
Relationships where one quadrant vacillates to another, if that quadrant is already filled, the troll's other quadrant is forced to flip as well. This can set off a domino effect between all troll's involved quadrants.
If you find any of this confusing, so do Trolls, as "[https://www.homestuck.com/story/2400 [they<nowiki>]</nowiki> exist in a state of almost perpetual confusion and generally have no idea what the hell is going on]."
== Canon Relationships ==
=== Matesprits ===
* [[Awoole Fenrir|Awoole]] and [[Esceia]]
* [[Harfil Myches|Harfil]] and [[Venrot Fellix|Venrot]]
* [[Shikki Raynor|Shikki]] and [[Yolond Jasper|Yolond]]
Known Flushed Crushes:
* [[Anyaru Servus|Anyaru]] on [[Siette Aerien|Siette]]
=== Moirails ===
* [[Patiya Sirtse|Patiya]] and [[Venili Habere|Venili]]
* [[Modrey Chienn|Modrey]] and [[Ravial Orande|Ravial]]
Known Pale Crushes:
* [[Venrot Fellix|Venrot]] on [[Ponzii]]
=== Auspistices ===
* [[Patiya Sirtse|Patiya]] for [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]
=== Kismeses ===
* [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]. [[Patiya Sirtse|Patiya]] is their Auspistice.
* [[Awoole Fenrir|Awoole]] and [[Anyaru Servus|Anyaru]]
Known Caliginous Crushes:
* [[Knight Galfry|Knight]] on [[Aquett Aghara|Aquett]]
* [[Siette Aerien|Siette]] on [[Poppie Toppie|Poppie]], which is requited
=== Vacillations/Exceptions ===
* [[Anatta Tereme|Anatta]] and [[Anicca Shivuh|Anicca]]. Their feelings are complex and they fall somewhere between Matesprits/Moirails. They call each other girlfriends.
=== Past Relationships ===
* [[Arsene]] ♦/♥ [[Looksi Gumshu|Looksi]]
* [[Cherie]] ♥ [[Ponzii]]
* [[Guppie Suamui|Guppie]] ♥ [[Jeremy]]
* [[Barise Klipse|Barise]] ♥ [[Paluli Anriqi|Paluli]]
* [[Mabuya Arnava|Mabuya]] ♥ [[Siette Aerien|Siette]]
72c3e5711924d4963b1e63b9ffd9f948f8a10e08
1100
1099
2023-11-08T08:46:04Z
Onepeachymo
2
wikitext
text/x-wiki
''These takes are brought to you in collaboration between the homestuck wiki and Peachy's own personal opinions on quadrants.''
[[File:Quadrants_Basic.gif|thumb|right]]
Quadrants make up the system of categorization for romance utilized by the [[Trolls]] on Alternia.
Troll romance is much more complicated than Human romance. While Human romance could be put into one category, Troll romance is split into four: the Flushed Quadrant, the Caliginous Quadrant, the Pale Quadrant, and the Ashen Quadrant. "Romance" is less black and white on Alternia, acting more as an umbrella term to categorize the complicated way Trolls connect through relationships, and includes quadrants that in human standards would more likely be described as "Platonic".
Troll romance is in part about the balance of emotions in a society that is incredibly geared towards violence. It's a way to stabilize a civilization that was groomed into a hierarchy that promotes oppression and needless death to those beneath you. It cultivates small pockets where trolls take care of each other when building up a community is heavily against the odds. The other part is, naturally, for reproduction. Reproduction is much like how it is in Homestuck proper but without the "Supply or Die" aspect of the drones collecting genetic material. Relationships are expected to be reported on the Troll Census and thus there you are enlisted to provide for the brood. That is all I will say on the matter. That is all anyone should say on the matter.
== Bifurcation ==
While Troll romance is split into four different quadrants, they can also be split into halves and categorized further. The top half of the Quadrants are recognized as Red Romance and the bottom half as Black Romance; the left side Concupiscent and the right side Conciliatory.
=== Red Romance ===
Strongly rooted in positive emotions. The Flushed and Pale Quadrants make up Red Romance, or Redrom.
[[File:Quadrants_bifurcation.gif|thumb|right]]
=== Black Romance ===
Strongly rooted in negative emotions. The Caliginous and Ashen Quadrants make up Black Romance, or Blackrom.
=== Concupiscent ===
Relationships that are more so associated with reproduction. The Flushed and Caliginous Quadrants are Concupiscent.
=== Conciliatory ===
Relationships that are more about regulating emotions, likened to platonic relationships. The Pale and Ashen Quadrants are Conciliatory.
== Quadrants ==
[[File:Quadrant_Heart.gif|thumb|left]]
=== Flushed ===
The Flushed Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Matesprits", and it can be referred to as a "Matespritship." The intent behind Matesprits are primarily rooted in positive emotions and the Flushed Quadrant is the closest of the four romances to Human romance. There's really not much more to be said on the matter. Love. You guys get it.
Matespritship is represented by a heart and the color {{RS quote|flushed|red}}. In text, it can be recognized as {{RS quote|flushed|♥ or <3}}.
[[|thumb|right]]
=== Pale ===
The Pale Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Conciliatory" bifurcation. Two trolls in this Quadrant are called "Moirails", and can be referred to as a "Moirallegience." Moirails are the platonic ideal of a soulmate in Alternian society. It's about finding someone that balances your emotional profile, and completes you, in a way. It is finding someone you can wholly entrust and bare yourself to, and get that same vulnerability back. You keep each other in check and help maintain one another's emotional well-being, though in cases between a lowblood and highblood, the support of a highblood Moirail can be a deterrent to those who may otherwise harm the lowblood, and in which case also maintains their physical well-being.
Moirallegience is represented by a diamond and the color {{RS quote|pale|pink}}. In text, it can be recognized as {{RS quote|pale|♦ or <>}}.
[[File:Quadrant_Spade.gif|thumb|left]]
=== Caliginous ===
The Caliginous Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Kismesis", and can be referred to as a "Kismesissitude." Kismesissitude is based on a mix of attraction and annoyance, likened to a sense of rivalry. It's about the pitch feelings that are cultivated by the frustration from thinking someone is just the Absolute Fucking Worst, but still being able to see redeeming qualities in them that, if not for the bad qualities, would make that person maybe even a bit alright. Kismesissitude should not be thought of as inherently toxic just because it's tied with primarily negative feelings; if healthy, a Kismesissitude is a beneficial outlet for Trolls more violent tendencies that works off steam in a setting where you don't actually want to kill the other person. An unhealthy Kismesissitude can be incredibly dangerous for the mental well-being of a troll, however, and in that situation an Auspistice would be needed to step in.
Kismesissitude is represented by a spade and the color {{RS quote|caliginous|black}}. In text, it can be recognized as {{RS quote|caliginous|♠ or <3<}}.
[[File:Quadrants_Club.gif|thumb|right]]
=== Ashen ===
The Ashen Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Conciliatory" bifurcation. There are uniquely three trolls that participate in this Quadrant compared to the usual two, with the third troll who is regulating the other two being called the "Auspistice", and can be referred to as "Auspisticism". Auspisticism comes about when two trolls are in a particularly contentious relationship and need a mediator. This is most often found between two trolls who have not yet entered a Kismesissitude, and of which the intended goal it to keep them out of one. This is because the nature of Trolls on Alternia leads to many feuds between Trolls that left unchecked would lead to an over saturation of Kismeses and black infidelity. It can also be used to regulate a Kismesissitude that, without interference, could become unhealthy for the trolls in the relationship, or affect their relationships outside of it. In the case of vacillations, an Auspistice prevents two trolls from vacillating and committing infidelities with their other partners, if any.
Auspisticism is represented by a club and the color {{RS quote|ashen|gray}}. In text, it can be recognized as {{RS quote|ashen|♣ or c3< / o8<}}.
== Quadrant Vacillation ==
[[File:Quadrants_Vacillation.gif|thumb|right]]
There are many situations in which the complex feelings that accompany a polyamorous Quadrant system leads to a transmutative and malleable series of vacillations.
If two trolls enter an uncertain relationship where one party may feel flushed, and the other caliginous. One party will switch to match the other, but this will be followed up by many switches back and forth, a romantic tug-of-war. An Auspistice can be a very important third party in regulating a vacillation and keeping a romance stably in one Quadrant.
Relationships where one quadrant vacillates to another, if that quadrant is already filled, the troll's other quadrant is forced to flip as well. This can set off a domino effect between all troll's involved quadrants.
If you find any of this confusing, so do Trolls, as "[https://www.homestuck.com/story/2400 [they<nowiki>]</nowiki> exist in a state of almost perpetual confusion and generally have no idea what the hell is going on]."
== Canon Relationships ==
=== Matesprits ===
* [[Awoole Fenrir|Awoole]] and [[Esceia]]
* [[Harfil Myches|Harfil]] and [[Venrot Fellix|Venrot]]
* [[Shikki Raynor|Shikki]] and [[Yolond Jasper|Yolond]]
Known Flushed Crushes:
* [[Anyaru Servus|Anyaru]] on [[Siette Aerien|Siette]]
=== Moirails ===
* [[Patiya Sirtse|Patiya]] and [[Venili Habere|Venili]]
* [[Modrey Chienn|Modrey]] and [[Ravial Orande|Ravial]]
Known Pale Crushes:
* [[Venrot Fellix|Venrot]] on [[Ponzii]]
=== Auspistices ===
* [[Patiya Sirtse|Patiya]] for [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]
=== Kismeses ===
* [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]. [[Patiya Sirtse|Patiya]] is their Auspistice.
* [[Awoole Fenrir|Awoole]] and [[Anyaru Servus|Anyaru]]
Known Caliginous Crushes:
* [[Knight Galfry|Knight]] on [[Aquett Aghara|Aquett]]
* [[Siette Aerien|Siette]] on [[Poppie Toppie|Poppie]], which is requited
=== Vacillations/Exceptions ===
* [[Anatta Tereme|Anatta]] and [[Anicca Shivuh|Anicca]]. Their feelings are complex and they fall somewhere between Matesprits/Moirails. They call each other girlfriends.
=== Past Relationships ===
* [[Arsene]] ♦/♥ [[Looksi Gumshu|Looksi]]
* [[Cherie]] ♥ [[Ponzii]]
* [[Guppie Suamui|Guppie]] ♥ [[Jeremy]]
* [[Barise Klipse|Barise]] ♥ [[Paluli Anriqi|Paluli]]
* [[Mabuya Arnava|Mabuya]] ♥ [[Siette Aerien|Siette]]
4725621679fb77b9f22f4b933dade95b4aa30df3
1101
1100
2023-11-08T08:46:19Z
Onepeachymo
2
wikitext
text/x-wiki
''These takes are brought to you in collaboration between the homestuck wiki and Peachy's own personal opinions on quadrants.''
[[File:Quadrants_Basic.gif|thumb|right]]
Quadrants make up the system of categorization for romance utilized by the [[Trolls]] on Alternia.
Troll romance is much more complicated than Human romance. While Human romance could be put into one category, Troll romance is split into four: the Flushed Quadrant, the Caliginous Quadrant, the Pale Quadrant, and the Ashen Quadrant. "Romance" is less black and white on Alternia, acting more as an umbrella term to categorize the complicated way Trolls connect through relationships, and includes quadrants that in human standards would more likely be described as "Platonic".
Troll romance is in part about the balance of emotions in a society that is incredibly geared towards violence. It's a way to stabilize a civilization that was groomed into a hierarchy that promotes oppression and needless death to those beneath you. It cultivates small pockets where trolls take care of each other when building up a community is heavily against the odds. The other part is, naturally, for reproduction. Reproduction is much like how it is in Homestuck proper but without the "Supply or Die" aspect of the drones collecting genetic material. Relationships are expected to be reported on the Troll Census and thus there you are enlisted to provide for the brood. That is all I will say on the matter. That is all anyone should say on the matter.
== Bifurcation ==
While Troll romance is split into four different quadrants, they can also be split into halves and categorized further. The top half of the Quadrants are recognized as Red Romance and the bottom half as Black Romance; the left side Concupiscent and the right side Conciliatory.
=== Red Romance ===
Strongly rooted in positive emotions. The Flushed and Pale Quadrants make up Red Romance, or Redrom.
[[File:Quadrants_bifurcation.gif|thumb|right]]
=== Black Romance ===
Strongly rooted in negative emotions. The Caliginous and Ashen Quadrants make up Black Romance, or Blackrom.
=== Concupiscent ===
Relationships that are more so associated with reproduction. The Flushed and Caliginous Quadrants are Concupiscent.
=== Conciliatory ===
Relationships that are more about regulating emotions, likened to platonic relationships. The Pale and Ashen Quadrants are Conciliatory.
== Quadrants ==
[[File:Quadrant_Heart.gif|thumb|left]]
=== Flushed ===
The Flushed Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Matesprits", and it can be referred to as a "Matespritship." The intent behind Matesprits are primarily rooted in positive emotions and the Flushed Quadrant is the closest of the four romances to Human romance. There's really not much more to be said on the matter. Love. You guys get it.
Matespritship is represented by a heart and the color {{RS quote|flushed|red}}. In text, it can be recognized as {{RS quote|flushed|♥ or <3}}.
[[File:Quadrants_Diamond.gif|thumb|right]]
=== Pale ===
The Pale Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Conciliatory" bifurcation. Two trolls in this Quadrant are called "Moirails", and can be referred to as a "Moirallegience." Moirails are the platonic ideal of a soulmate in Alternian society. It's about finding someone that balances your emotional profile, and completes you, in a way. It is finding someone you can wholly entrust and bare yourself to, and get that same vulnerability back. You keep each other in check and help maintain one another's emotional well-being, though in cases between a lowblood and highblood, the support of a highblood Moirail can be a deterrent to those who may otherwise harm the lowblood, and in which case also maintains their physical well-being.
Moirallegience is represented by a diamond and the color {{RS quote|pale|pink}}. In text, it can be recognized as {{RS quote|pale|♦ or <>}}.
[[File:Quadrant_Spade.gif|thumb|left]]
=== Caliginous ===
The Caliginous Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Kismesis", and can be referred to as a "Kismesissitude." Kismesissitude is based on a mix of attraction and annoyance, likened to a sense of rivalry. It's about the pitch feelings that are cultivated by the frustration from thinking someone is just the Absolute Fucking Worst, but still being able to see redeeming qualities in them that, if not for the bad qualities, would make that person maybe even a bit alright. Kismesissitude should not be thought of as inherently toxic just because it's tied with primarily negative feelings; if healthy, a Kismesissitude is a beneficial outlet for Trolls more violent tendencies that works off steam in a setting where you don't actually want to kill the other person. An unhealthy Kismesissitude can be incredibly dangerous for the mental well-being of a troll, however, and in that situation an Auspistice would be needed to step in.
Kismesissitude is represented by a spade and the color {{RS quote|caliginous|black}}. In text, it can be recognized as {{RS quote|caliginous|♠ or <3<}}.
[[File:Quadrants_Club.gif|thumb|right]]
=== Ashen ===
The Ashen Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Conciliatory" bifurcation. There are uniquely three trolls that participate in this Quadrant compared to the usual two, with the third troll who is regulating the other two being called the "Auspistice", and can be referred to as "Auspisticism". Auspisticism comes about when two trolls are in a particularly contentious relationship and need a mediator. This is most often found between two trolls who have not yet entered a Kismesissitude, and of which the intended goal it to keep them out of one. This is because the nature of Trolls on Alternia leads to many feuds between Trolls that left unchecked would lead to an over saturation of Kismeses and black infidelity. It can also be used to regulate a Kismesissitude that, without interference, could become unhealthy for the trolls in the relationship, or affect their relationships outside of it. In the case of vacillations, an Auspistice prevents two trolls from vacillating and committing infidelities with their other partners, if any.
Auspisticism is represented by a club and the color {{RS quote|ashen|gray}}. In text, it can be recognized as {{RS quote|ashen|♣ or c3< / o8<}}.
== Quadrant Vacillation ==
[[File:Quadrants_Vacillation.gif|thumb|right]]
There are many situations in which the complex feelings that accompany a polyamorous Quadrant system leads to a transmutative and malleable series of vacillations.
If two trolls enter an uncertain relationship where one party may feel flushed, and the other caliginous. One party will switch to match the other, but this will be followed up by many switches back and forth, a romantic tug-of-war. An Auspistice can be a very important third party in regulating a vacillation and keeping a romance stably in one Quadrant.
Relationships where one quadrant vacillates to another, if that quadrant is already filled, the troll's other quadrant is forced to flip as well. This can set off a domino effect between all troll's involved quadrants.
If you find any of this confusing, so do Trolls, as "[https://www.homestuck.com/story/2400 [they<nowiki>]</nowiki> exist in a state of almost perpetual confusion and generally have no idea what the hell is going on]."
== Canon Relationships ==
=== Matesprits ===
* [[Awoole Fenrir|Awoole]] and [[Esceia]]
* [[Harfil Myches|Harfil]] and [[Venrot Fellix|Venrot]]
* [[Shikki Raynor|Shikki]] and [[Yolond Jasper|Yolond]]
Known Flushed Crushes:
* [[Anyaru Servus|Anyaru]] on [[Siette Aerien|Siette]]
=== Moirails ===
* [[Patiya Sirtse|Patiya]] and [[Venili Habere|Venili]]
* [[Modrey Chienn|Modrey]] and [[Ravial Orande|Ravial]]
Known Pale Crushes:
* [[Venrot Fellix|Venrot]] on [[Ponzii]]
=== Auspistices ===
* [[Patiya Sirtse|Patiya]] for [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]
=== Kismeses ===
* [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]. [[Patiya Sirtse|Patiya]] is their Auspistice.
* [[Awoole Fenrir|Awoole]] and [[Anyaru Servus|Anyaru]]
Known Caliginous Crushes:
* [[Knight Galfry|Knight]] on [[Aquett Aghara|Aquett]]
* [[Siette Aerien|Siette]] on [[Poppie Toppie|Poppie]], which is requited
=== Vacillations/Exceptions ===
* [[Anatta Tereme|Anatta]] and [[Anicca Shivuh|Anicca]]. Their feelings are complex and they fall somewhere between Matesprits/Moirails. They call each other girlfriends.
=== Past Relationships ===
* [[Arsene]] ♦/♥ [[Looksi Gumshu|Looksi]]
* [[Cherie]] ♥ [[Ponzii]]
* [[Guppie Suamui|Guppie]] ♥ [[Jeremy]]
* [[Barise Klipse|Barise]] ♥ [[Paluli Anriqi|Paluli]]
* [[Mabuya Arnava|Mabuya]] ♥ [[Siette Aerien|Siette]]
72c3e5711924d4963b1e63b9ffd9f948f8a10e08
1102
1101
2023-11-08T08:58:09Z
Onepeachymo
2
wikitext
text/x-wiki
''These takes are brought to you in collaboration between the homestuck wiki and Peachy's own personal opinions on quadrants.''
[[File:Quadrants_Basic.gif|thumb|right]]
Quadrants make up the system of categorization for romance utilized by the [[Trolls]] on Alternia.
Troll romance is much more complicated than Human romance. While Human romance could be put into one category, Troll romance is split into four: the Flushed Quadrant, the Caliginous Quadrant, the Pale Quadrant, and the Ashen Quadrant. "Romance" is less black and white on Alternia, acting more as an umbrella term to categorize the complicated way Trolls connect through relationships, and includes quadrants that in human standards would more likely be described as "Platonic".
Troll romance is in part about the balance of emotions in a society that is incredibly geared towards violence. It's a way to stabilize a civilization that was groomed into a hierarchy that promotes oppression and needless death to those beneath you. It cultivates small pockets where trolls take care of each other when building up a community is heavily against the odds. The other part is, naturally, for reproduction. Reproduction is much like how it is in Homestuck proper but without the "Supply or Die" aspect of the drones collecting genetic material. Relationships are expected to be reported on the Troll Census and thus there you are enlisted to provide for the brood. That is all I will say on the matter. That is all anyone should say on the matter.
== Bifurcation ==
While Troll romance is split into four different quadrants, they can also be split into halves and categorized further. The top half of the Quadrants are recognized as Red Romance and the bottom half as Black Romance; the left side Concupiscent and the right side Conciliatory.
=== Red Romance ===
Strongly rooted in positive emotions. The Flushed and Pale Quadrants make up Red Romance, or Redrom.
[[File:Quadrants_bifurcation.gif|thumb|right]]
=== Black Romance ===
Strongly rooted in negative emotions. The Caliginous and Ashen Quadrants make up Black Romance, or Blackrom.
=== Concupiscent ===
Relationships that are more so associated with reproduction. The Flushed and Caliginous Quadrants are Concupiscent.
=== Conciliatory ===
Relationships that are more about regulating emotions, likened to platonic relationships. The Pale and Ashen Quadrants are Conciliatory.
== Quadrants ==
[[File:Quadrant_Heart.gif|thumb|left]]
=== Flushed ===
The Flushed Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Matesprits", and it can be referred to as a "Matespritship." The intent behind Matesprits are primarily rooted in positive emotions and the Flushed Quadrant is the closest of the four romances to Human romance. There's really not much more to be said on the matter. Love. You guys get it.
Matespritship is represented by a heart and the color {{RS quote|flushed|red}}. In text, it can be recognized as {{RS quote|flushed|♥ or <3}}.
[[File:Quadrants_Diamond.gif|thumb|right]]
=== Pale ===
The Pale Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Conciliatory" bifurcation. Two trolls in this Quadrant are called "Moirails", and can be referred to as a "Moirallegience." Moirails are the platonic ideal of a soulmate in Alternian society. They're about finding someone that balances your emotional profile, and completes you, in a way. You keep each other in check and help maintain one another's emotional well-being, though in cases between a lowblood and highblood, the support of a highblood Moirail can be a deterrent to those who may otherwise harm the lowblood, and in which case also maintains their physical well-being. Moirallegiences are often formed because one party may be more unstable than the other, and is necessary to pacify the volatile party to keep them in check from posing a threat to themselves or others, though this is not always the case. The feelings associated with Moirails can often be confused between those of an actual Moirallegience, a normal bond between friends, or possible flushed feelings. Just one more stepping stone on the suites-shaped cesspond that is Troll Romance.
Moirallegience is represented by a diamond and the color {{RS quote|pale|pink}}. In text, it can be recognized as {{RS quote|pale|♦ or <>}}.
[[File:Quadrant_Spade.gif|thumb|left]]
=== Caliginous ===
The Caliginous Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Kismesis", and can be referred to as a "Kismesissitude." Kismesissitude is based on a mix of attraction and annoyance, likened to a sense of rivalry. It's about the pitch feelings that are cultivated by the frustration from thinking someone is just the Absolute Fucking Worst, but still being able to see redeeming qualities in them that, if not for the bad qualities, would make that person maybe even a bit alright. Kismesissitude should not be thought of as inherently toxic just because it's tied with primarily negative feelings; if healthy, a Kismesissitude is a beneficial outlet for Trolls more violent tendencies that works off steam in a setting where you don't actually want to kill the other person. An unhealthy Kismesissitude can be incredibly dangerous for the mental well-being of a troll, however, and in that situation an Auspistice would be needed to step in.
Kismesissitude is represented by a spade and the color {{RS quote|caliginous|black}}. In text, it can be recognized as {{RS quote|caliginous|♠ or <3<}}.
[[File:Quadrants_Club.gif|thumb|right]]
=== Ashen ===
The Ashen Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Conciliatory" bifurcation. There are uniquely three trolls that participate in this Quadrant compared to the usual two, with the third troll who is regulating the other two being called the "Auspistice", and can be referred to as "Auspisticism". Auspisticism comes about when two trolls are in a particularly contentious relationship and need a mediator. This is most often found between two trolls who have not yet entered a Kismesissitude, and of which the intended goal it to keep them out of one. This is because the nature of Trolls on Alternia leads to many feuds between Trolls that left unchecked would lead to an over saturation of Kismeses and black infidelity. It can also be used to regulate a Kismesissitude that, without interference, could become unhealthy for the trolls in the relationship, or affect their relationships outside of it. In the case of vacillations, an Auspistice prevents two trolls from vacillating and committing infidelities with their other partners, if any.
Auspisticism is represented by a club and the color {{RS quote|ashen|gray}}. In text, it can be recognized as {{RS quote|ashen|♣ or c3< / o8<}}.
== Quadrant Vacillation ==
[[File:Quadrants_Vacillation.gif|thumb|right]]
There are many situations in which the complex feelings that accompany a polyamorous Quadrant system leads to a transmutative and malleable series of vacillations.
If two trolls enter an uncertain relationship where one party may feel flushed, and the other caliginous. One party will switch to match the other, but this will be followed up by many switches back and forth, a romantic tug-of-war. An Auspistice can be a very important third party in regulating a vacillation and keeping a romance stably in one Quadrant.
Relationships where one quadrant vacillates to another, if that quadrant is already filled, the troll's other quadrant is forced to flip as well. This can set off a domino effect between all troll's involved quadrants.
If you find any of this confusing, so do Trolls, as "[https://www.homestuck.com/story/2400 [they<nowiki>]</nowiki> exist in a state of almost perpetual confusion and generally have no idea what the hell is going on]."
== Canon Relationships ==
=== Matesprits ===
* [[Awoole Fenrir|Awoole]] and [[Esceia]]
* [[Harfil Myches|Harfil]] and [[Venrot Fellix|Venrot]]
* [[Shikki Raynor|Shikki]] and [[Yolond Jasper|Yolond]]
Known Flushed Crushes:
* [[Anyaru Servus|Anyaru]] on [[Siette Aerien|Siette]]
=== Moirails ===
* [[Patiya Sirtse|Patiya]] and [[Venili Habere|Venili]]
* [[Modrey Chienn|Modrey]] and [[Ravial Orande|Ravial]]
Known Pale Crushes:
* [[Venrot Fellix|Venrot]] on [[Ponzii]]
=== Auspistices ===
* [[Patiya Sirtse|Patiya]] for [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]
=== Kismeses ===
* [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]. [[Patiya Sirtse|Patiya]] is their Auspistice.
* [[Awoole Fenrir|Awoole]] and [[Anyaru Servus|Anyaru]]
Known Caliginous Crushes:
* [[Knight Galfry|Knight]] on [[Aquett Aghara|Aquett]]
* [[Siette Aerien|Siette]] on [[Poppie Toppie|Poppie]], which is requited
=== Vacillations/Exceptions ===
* [[Anatta Tereme|Anatta]] and [[Anicca Shivuh|Anicca]]. Their feelings are complex and they fall somewhere between Matesprits/Moirails. They call each other girlfriends.
=== Past Relationships ===
* [[Arsene]] ♦/♥ [[Looksi Gumshu|Looksi]]
* [[Cherie]] ♥ [[Ponzii]]
* [[Guppie Suamui|Guppie]] ♥ [[Jeremy]]
* [[Barise Klipse|Barise]] ♥ [[Paluli Anriqi|Paluli]]
* [[Mabuya Arnava|Mabuya]] ♥ [[Siette Aerien|Siette]]
abab90fb4aa6eacfd3a658344c663b32c1bc8115
1110
1102
2023-11-16T02:41:08Z
192.76.8.66
0
/* Canon Relationships */
wikitext
text/x-wiki
''These takes are brought to you in collaboration between the homestuck wiki and Peachy's own personal opinions on quadrants.''
[[File:Quadrants_Basic.gif|thumb|right]]
Quadrants make up the system of categorization for romance utilized by the [[Trolls]] on Alternia.
Troll romance is much more complicated than Human romance. While Human romance could be put into one category, Troll romance is split into four: the Flushed Quadrant, the Caliginous Quadrant, the Pale Quadrant, and the Ashen Quadrant. "Romance" is less black and white on Alternia, acting more as an umbrella term to categorize the complicated way Trolls connect through relationships, and includes quadrants that in human standards would more likely be described as "Platonic".
Troll romance is in part about the balance of emotions in a society that is incredibly geared towards violence. It's a way to stabilize a civilization that was groomed into a hierarchy that promotes oppression and needless death to those beneath you. It cultivates small pockets where trolls take care of each other when building up a community is heavily against the odds. The other part is, naturally, for reproduction. Reproduction is much like how it is in Homestuck proper but without the "Supply or Die" aspect of the drones collecting genetic material. Relationships are expected to be reported on the Troll Census and thus there you are enlisted to provide for the brood. That is all I will say on the matter. That is all anyone should say on the matter.
== Bifurcation ==
While Troll romance is split into four different quadrants, they can also be split into halves and categorized further. The top half of the Quadrants are recognized as Red Romance and the bottom half as Black Romance; the left side Concupiscent and the right side Conciliatory.
=== Red Romance ===
Strongly rooted in positive emotions. The Flushed and Pale Quadrants make up Red Romance, or Redrom.
[[File:Quadrants_bifurcation.gif|thumb|right]]
=== Black Romance ===
Strongly rooted in negative emotions. The Caliginous and Ashen Quadrants make up Black Romance, or Blackrom.
=== Concupiscent ===
Relationships that are more so associated with reproduction. The Flushed and Caliginous Quadrants are Concupiscent.
=== Conciliatory ===
Relationships that are more about regulating emotions, likened to platonic relationships. The Pale and Ashen Quadrants are Conciliatory.
== Quadrants ==
[[File:Quadrant_Heart.gif|thumb|left]]
=== Flushed ===
The Flushed Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Matesprits", and it can be referred to as a "Matespritship." The intent behind Matesprits are primarily rooted in positive emotions and the Flushed Quadrant is the closest of the four romances to Human romance. There's really not much more to be said on the matter. Love. You guys get it.
Matespritship is represented by a heart and the color {{RS quote|flushed|red}}. In text, it can be recognized as {{RS quote|flushed|♥ or <3}}.
[[File:Quadrants_Diamond.gif|thumb|right]]
=== Pale ===
The Pale Quadrant makes up one part of the "Red Romance" bifurcation, and one part of the "Conciliatory" bifurcation. Two trolls in this Quadrant are called "Moirails", and can be referred to as a "Moirallegience." Moirails are the platonic ideal of a soulmate in Alternian society. They're about finding someone that balances your emotional profile, and completes you, in a way. You keep each other in check and help maintain one another's emotional well-being, though in cases between a lowblood and highblood, the support of a highblood Moirail can be a deterrent to those who may otherwise harm the lowblood, and in which case also maintains their physical well-being. Moirallegiences are often formed because one party may be more unstable than the other, and is necessary to pacify the volatile party to keep them in check from posing a threat to themselves or others, though this is not always the case. The feelings associated with Moirails can often be confused between those of an actual Moirallegience, a normal bond between friends, or possible flushed feelings. Just one more stepping stone on the suites-shaped cesspond that is Troll Romance.
Moirallegience is represented by a diamond and the color {{RS quote|pale|pink}}. In text, it can be recognized as {{RS quote|pale|♦ or <>}}.
[[File:Quadrant_Spade.gif|thumb|left]]
=== Caliginous ===
The Caliginous Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Concupiscent" bifurcation. Two trolls in this Quadrant are called "Kismesis", and can be referred to as a "Kismesissitude." Kismesissitude is based on a mix of attraction and annoyance, likened to a sense of rivalry. It's about the pitch feelings that are cultivated by the frustration from thinking someone is just the Absolute Fucking Worst, but still being able to see redeeming qualities in them that, if not for the bad qualities, would make that person maybe even a bit alright. Kismesissitude should not be thought of as inherently toxic just because it's tied with primarily negative feelings; if healthy, a Kismesissitude is a beneficial outlet for Trolls more violent tendencies that works off steam in a setting where you don't actually want to kill the other person. An unhealthy Kismesissitude can be incredibly dangerous for the mental well-being of a troll, however, and in that situation an Auspistice would be needed to step in.
Kismesissitude is represented by a spade and the color {{RS quote|caliginous|black}}. In text, it can be recognized as {{RS quote|caliginous|♠ or <3<}}.
[[File:Quadrants_Club.gif|thumb|right]]
=== Ashen ===
The Ashen Quadrant makes up one part of the "Black Romance" bifurcation, and one part of the "Conciliatory" bifurcation. There are uniquely three trolls that participate in this Quadrant compared to the usual two, with the third troll who is regulating the other two being called the "Auspistice", and can be referred to as "Auspisticism". Auspisticism comes about when two trolls are in a particularly contentious relationship and need a mediator. This is most often found between two trolls who have not yet entered a Kismesissitude, and of which the intended goal it to keep them out of one. This is because the nature of Trolls on Alternia leads to many feuds between Trolls that left unchecked would lead to an over saturation of Kismeses and black infidelity. It can also be used to regulate a Kismesissitude that, without interference, could become unhealthy for the trolls in the relationship, or affect their relationships outside of it. In the case of vacillations, an Auspistice prevents two trolls from vacillating and committing infidelities with their other partners, if any.
Auspisticism is represented by a club and the color {{RS quote|ashen|gray}}. In text, it can be recognized as {{RS quote|ashen|♣ or c3< / o8<}}.
== Quadrant Vacillation ==
[[File:Quadrants_Vacillation.gif|thumb|right]]
There are many situations in which the complex feelings that accompany a polyamorous Quadrant system leads to a transmutative and malleable series of vacillations.
If two trolls enter an uncertain relationship where one party may feel flushed, and the other caliginous. One party will switch to match the other, but this will be followed up by many switches back and forth, a romantic tug-of-war. An Auspistice can be a very important third party in regulating a vacillation and keeping a romance stably in one Quadrant.
Relationships where one quadrant vacillates to another, if that quadrant is already filled, the troll's other quadrant is forced to flip as well. This can set off a domino effect between all troll's involved quadrants.
If you find any of this confusing, so do Trolls, as "[https://www.homestuck.com/story/2400 [they<nowiki>]</nowiki> exist in a state of almost perpetual confusion and generally have no idea what the hell is going on]."
== Canon Relationships ==
=== Matesprits ===
* [[Awoole Fenrir|Awoole]] and [[Esceia]]
* [[Harfil Myches|Harfil]] and [[Venrot Fellix|Venrot]]
* [[Shikki Raynor|Shikki]] and [[Yolond Jasper|Yolond]]
Known Flushed Crushes:
* [[Anyaru Servus|Anyaru]] on [[Siette Aerien|Siette]]
* [[Siniix Auctor|Siniix]] on [[Knight Galfry|Knight]], which is requited
=== Moirails ===
* [[Patiya Sirtse|Patiya]] and [[Venili Habere|Venili]]
* [[Modrey Chienn|Modrey]] and [[Ravial Orande|Ravial]]
Known Pale Crushes:
* [[Venrot Fellix|Venrot]] on [[Ponzii]]
=== Auspistices ===
* [[Patiya Sirtse|Patiya]] for [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]
=== Kismeses ===
* [[Ekosit Sagrin|Ekosit]] and [[Venili Habere|Venili]]. [[Patiya Sirtse|Patiya]] is their Auspistice.
* [[Awoole Fenrir|Awoole]] and [[Anyaru Servus|Anyaru]]
Known Caliginous Crushes:
* [[Knight Galfry|Knight]] on [[Aquett Aghara|Aquett]]
* [[Siette Aerien|Siette]] on [[Poppie Toppie|Poppie]], which is requited
=== Vacillations/Exceptions ===
* [[Anatta Tereme|Anatta]] and [[Anicca Shivuh|Anicca]]. Their feelings are complex and they fall somewhere between Matesprits/Moirails. They call each other girlfriends.
=== Past Relationships ===
* [[Arsene]] ♦/♥ [[Looksi Gumshu|Looksi]]
* [[Cherie]] ♥ [[Ponzii]]
* [[Guppie Suamui|Guppie]] ♥ [[Jeremy]]
* [[Barise Klipse|Barise]] ♥ [[Paluli Anriqi|Paluli]]
* [[Mabuya Arnava|Mabuya]] ♥ [[Siette Aerien|Siette]]
85a182061a636e0b1c559a68fba31af008858a9b
Skoozy Mcribb/Infobox
0
230
1103
1048
2023-11-08T10:28:16Z
Onepeachymo
2
wikitext
text/x-wiki
{{Character Infobox
|name = Skoozy Mcribb
|symbol = [[File:Gemza.png|32px]]
|symbol2 = [[File:Aspect_Mind.png|32px]]
|complex = [[File:Skoozy.png]]
|caption = {{RS quote|goldblood| we live in an eMpire}}
|intro = 08/04/2021
|title = {{Classpect|Mind|Prince}}
|age = {{Age|10.6}}
|gender = He/Him (trans man)
|status = Dead </br>
Awake on derse
|screenname = analyticalSwine
|style = capitalizes every m, and every word after a word with an m has a "Mc" in front of set word
|specibus = Cleatkind
|modus = Slidepuzzle
|relations = [[The Megamind|{{RS quote|yellowblood|The Megamind}}]] - [[Ancestors|Ancestor]]
|planet = Land of Arches and Spotlights
|likes = Mcdonald's, Goldbloods, Calico
|dislikes = Highbloods
|aka = {{RS quote|greenblood|Piggy}} ([[Anicca Shivuh|Anicca]], Anatta)
|creator = Mordimoss}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
3f82f540ab655e79da046be76a9477ee416b54ca
Template:Character Infobox
10
40
1104
855
2023-11-08T10:31:57Z
Onepeachymo
2
wikitext
text/x-wiki
{{infobox
|width = {{{width|300}}}
|scratch = {{{scratch|}}}
|Box title = {{{name|{{BASEPAGENAME}}}}}
|icon left = {{ #if: {{{symbol|}}}|{{{symbol}}} }}
|icon right = {{ #if: {{{symbol2|}}}|{{{symbol2}}} }}
|icon left pos left = {{{symbol pos left|-6}}}
|icon left pos top = {{{symbol pos top|-6}}}
|icon right pos right = {{{symbol2 pos right|-6}}}
|icon right pos top = {{{symbol2 pos top|-6}}}
|image = {{ #if:{{{image|}}} | File:{{{image}}} | {{ #if:{{{complex|}}} | | File:NoImage.gif }} }}
|image complex = {{ #if:{{{complex|}}}|{{nowrap|{{{complex}}}}} }}
|imagewidth = {{{imagewidth|250}}}
|caption = {{{caption|}}}
|bg-color = {{{bg-color|#E0E0E0}}}
|header =
|label1 = {{ #if: {{{aka|}}}| AKA }}
|info1 = {{{aka}}}
|label2 = {{ #if: {{{title|}}}|[[Mythological Roles|Title]] }}{{ #if: {{{aspect|}}}|[[Aspect|Emanant Aspect]] }}
|info2 = {{ #if: {{{title|}}}|{{{title}}} }}{{ #if: {{{aspect|}}}|{{{aspect}}} }}
|label3 = {{ #if: {{{intro|}}}|Intro }}
|info3 = {{{intro}}}
|label4 = {{ #if: {{{age|}}}|<abbr title="As of current events of Vast Error.">Age</abbr>|}}
|info4 = {{{age}}}
|label5 = {{#if:{{{gender|{{{genid|}}}}}}|Gender & Sexuality}}
|info5 = {{{gender|{{{genid}}}}}}
|label6 = {{ #if: {{{status|}}}|Status }}
|info6 = {{{status}}}
|label7 = {{ #if: {{{screenname|}}}| [[Moonbounce|Screen Name]] }}
|info7 = {{{screenname}}}
|label8 = {{ #if: {{{style|}}}|[[Typing Quirk|Typing Style]] }}
|info8 = {{{style}}}
|label9 = {{ #if: {{{specibus|}}}|[[Strife Specibus|Strife Specibi]] }}
|info9 = {{{specibus}}}
|label10 = {{ #if: {{{modus|}}}|[[Sylladex#Fetch Modi|Fetch Modus]] }}
|info10 = {{{modus}}}
|label11 = {{ #if: {{{relations|}}}|Relations }}
|info11 = {{{relations}}}
|label12 = {{ #if: {{{home|}}}|Live(s) in }}
|info12 = {{{home}}}
|label13 = {{ #if: {{{planet|}}}|[[Player Lands|Land]] }}
|info13 = {{{planet}}}
|label14 = {{ #if: {{{likes|}}}| Likes }}
|info14 = {{{likes}}}
|label15 = {{ #if: {{{aka|}}}| Dislikes }}
|info15 = {{{dislikes}}}
|label16 = {{ #if: {{{creator|}}}| Creator }}
|info16 = {{{creator}}}
|label17 =
|info17 = {{navbar|{{{name|{{BASEPAGENAME}}}}}/Infobox|float=right}}
|footer title = {{ #if: {{{skorpelogs|}}}|Chatlogs}}
|footer content = {{ #if: {{{skorpelogs|}}}|{{{skorpelogs}}}}}
}}<noinclude>
{{documentation}}
[[Category:Infobox templates]]
</noinclude>
20f46e082d22d7a0def703ae0229e8746eade876
Siette Aerien/Infobox
0
106
1107
1045
2023-11-09T23:48:56Z
HowlingHeretic
3
wikitext
text/x-wiki
{{Character Infobox
|name = Siette Aerien
|symbol = [[File:Capricorn.png|32px]]
|symbol2 = [[File:Aspect_Rage.png|32px]]
|complex= <tabber>
|-| Default= [[File:Siette_Aerien.png]]
|-| Prospit= [[File:Siette Aerien Prospit.png]]
|-| Party= [[File:Siette Aerien Fancy.png]]
|-| Performance= [[File:Siette_Aerien_Performance.png]]
</tabber>
|caption = {{RS quote|purpleblood|5quirm.}}
|intro = 8/20/2021
|title = {{Classpect|Rage|Witch}}
|age = {{Age|10.5}}
|gender = She/They (Nonbinary)
|status = Alive </br>
Traveling </br>
On a killing spree </br>
|screenname = balefulAcrobat
|style = Replaces "E," with "3," and "S," with "5." Primarily types in lowercase.
|specibus = Axekind, Whipkind
|modus = Modus
|relations = [[Mabuya Arnava|{{RS quote|violetblood|Mabuya Arnava}}]] - [[Matesprits|Matesprit]](former)
|planet = Land of Mirage and Storm
|likes = Faygo, Murder, Silk Dancing
|dislikes = [[Guppie Suamui|{{RS quote|violetblood|Guppie Suamui}}]], [[Awoole Fenrir|{{RS quote|bronzeblood|Awoole Fenrir}}]]
|aka = {{RS quote|violetblood|Sisi, Strawberry}} ([[Mabuya Arnava|Mabuya]])
|creator = [https://howlingheretic.tumblr.com/ Howl]}}
<noinclude>[[Category:Character infoboxes]]</noinclude>
432ced78b2b29ae5db9b0287af04aeef3c66356f
Guppie Suamui/Infobox
0
441
1108
1034
2023-11-11T07:39:24Z
192.76.8.66
0
wikitext
text/x-wiki
{{Character Infobox
|name = Guppie Suamui
|symbol = [[File:Aquicorn.png|32px]]
|symbol2 = [[File:Aspect_Rage.png|32px]]
|complex = <tabber>
|-| Current Guppie= [[File:Guppie_Current.png]]
|-| Original Guppie= [[File:Guppie_Original.png]]
</tabber>
|caption = {{RS quote|violetblood| ok. so}}
|intro = day they joined server
|title = {{Classpect|Rage|Sylph}}
|age = {{Age|9}}
|gender = She/Her (Female)
|status = Dead
|screenname = gossamerDaydreamer
|style = she uses owospeak, ex "owo wook owew hewe uwo"
|specibus = Hornkind
|modus = Selfie
|relations = [[The Barbaric|{{RS quote|violetblood|The Barbaric}}]] - [[Ancestors|Ancestor]]
|planet = Land of Pique and Slumber
|likes = herself, violence, hot goss
|dislikes = being told no
|aka = {{RS quote|bronzeblood|Gups}} ([[Ponzii|Ponzii]])
|creator = Mordimoss}}
d98c9855c21afe7bb4329b160d08c27fa6836708
Troll
0
13
1111
733
2023-11-16T02:45:28Z
192.76.8.66
0
wikitext
text/x-wiki
'''Trolls''' are an alien race from the webcomic ''Homestuck''. They are the prominent race of Re:Symphony and live on the planet Alternia.
== Lifespan ==
Caste-wise, troll lifespans differ from humans in that they are generally much longer. In RE:Symphony, Rustbloods, the lowest caste, have lifespans comparable to humans, and the numbers only go up from there. Whilst exact life expectancies are difficult to place, it can be safely assumed that highbloods, at least, are capable of living for centuries, and the Empress may well be fully immortal.
== Typing Styles ==
MO5T TROLLS H4V3 SOM3 K1ND OF TYP1NG QU1RK TH4T R3VOLV3S 4ROUND R3PL4C1NG C3RT41N CH4R4CT3RS 1N TH31R S3NT3NC3S W1TH OTH3R ON3S, although this is only a single example. Every troll's typing quirk is unique. Some involve appendations at the starts or beginnings, some are simply alternate dialects, and some involve '''text''' ''formatting'' <small>shenanigans.</small> It is generally considered either intimate or rude to use someone else's typing quirk on purpose.
An index of all active trolls (should) be found here:
{{Navbox Trolls}}
[[Category:Trolls]]
6f73e71c5e7283388387d63d07bd32f5f1f58c00
Era of Subjugation
0
23
1112
89
2023-11-16T02:49:03Z
192.76.8.66
0
wikitext
text/x-wiki
== Era of Subjugation ==
A time period characterised by an inversion of the upper hemospectrum that placed Indigos and Purples equally on top with Violets shifted down two slots. Other castes were largely unaffected. At the end of this time period, laws were instituted that ensured adult trolls left the planet to serve other roles past a certain point in time - although this age may have been closer to what we as humans would consider middle-aged, as many of the characters in RE:Symphony are full adults but have not yet been removed from Alternia.
It is one of the two main time periods involved in the RP, taking place over a period of roughly 100 sweeps. It has not yet been made clear as to how chronologically distant this period is from the primary modern period that most RP takes place in.
7c719e0cabf76b461054f1ffc678a5fafc822ef6